blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
3
264
content_id
stringlengths
40
40
detected_licenses
listlengths
0
85
license_type
stringclasses
2 values
repo_name
stringlengths
5
140
snapshot_id
stringlengths
40
40
revision_id
stringlengths
40
40
branch_name
stringclasses
905 values
visit_date
timestamp[us]date
2015-08-09 11:21:18
2023-09-06 10:45:07
revision_date
timestamp[us]date
1997-09-14 05:04:47
2023-09-17 19:19:19
committer_date
timestamp[us]date
1997-09-14 05:04:47
2023-09-06 06:22:19
github_id
int64
3.89k
681M
star_events_count
int64
0
209k
fork_events_count
int64
0
110k
gha_license_id
stringclasses
22 values
gha_event_created_at
timestamp[us]date
2012-06-07 00:51:45
2023-09-14 21:58:39
gha_created_at
timestamp[us]date
2008-03-27 23:40:48
2023-08-21 23:17:38
gha_language
stringclasses
141 values
src_encoding
stringclasses
34 values
language
stringclasses
1 value
is_vendor
bool
1 class
is_generated
bool
2 classes
length_bytes
int64
3
10.4M
extension
stringclasses
115 values
content
stringlengths
3
10.4M
authors
listlengths
1
1
author_id
stringlengths
0
158
db0057aafb46c39cd89978981ca13bfca9922d94
e8e3a38a1f6b30a8a76e01c1b68aaf8edddd273f
/cpu.cpp
dc6d149ed4f43561a95a371b895b872c66e5f15d
[]
no_license
TylerBrock/chip8
f6505a13df996efc16c790fe30184382e9838135
c3fa3c104db1034323cb34931f847dab17a89837
refs/heads/master
2022-05-06T04:11:02.478356
2022-03-14T14:12:31
2022-03-14T14:12:31
21,928,163
6
0
null
null
null
null
UTF-8
C++
false
false
11,303
cpp
#include <iostream> #include <iomanip> #include <cstdlib> #include <ctime> #include "cpu.h" #include "graphics.h" #include "memory.h" namespace Chip8 { const uint16_t kOpCodeMask = 0xF000; const uint16_t kAddressMask = 0x0FFF; const uint16_t kRegisterXMask = 0x0F00; const uint16_t kRegisterYMask = 0x00F0; const uint16_t kImmediateMask = 0x00FF; const uint16_t kLastNibble = 0x000F; const SDL_Keycode kKeyCodeMap[16] = { SDLK_0, SDLK_1, SDLK_2, SDLK_3, SDLK_4, SDLK_5, SDLK_6, SDLK_7, SDLK_8, SDLK_9, SDLK_a, SDLK_b, SDLK_c, SDLK_d, SDLK_e, SDLK_f, }; CPU::CPU(Graphics* g, Memory* m) : _g(g), _m(m) { std::srand(std::time(0)); reset(); } void CPU::reset() { _program_counter = 0x200; _delay_timer = 0; _sound_timer = 0; _stack_pointer = 0; _index_register = 0; std::fill_n(_registers, sizeof(_registers), 0); } void CPU::run_cycle() { // Decode instruction OpCode op = _m->getByte(_program_counter) << 8 | _m->getByte(_program_counter + 1); std::cout << "Operation at 0x" << std::hex << _program_counter << " -> " << std::setw(4) << int(op) << std::endl; Address a = op & kAddressMask; uint8_t rx = (op & kRegisterXMask) >> 8; uint8_t ry = (op & kRegisterYMask) >> 4; uint8_t last_byte = op & 0x0FF; // Run instruction switch (op & kOpCodeMask) { case 0x0000: if (op == 0x00E0) // Clear the screen _g->clear(); else if (op == 0x00EE) // Return from subroutine _program_counter = _stack_pointer; else _m->dump(); break; case 0x1000: _program_counter = a; break; case 0x2000: _stack_pointer = _program_counter + 2; _program_counter = op & 0x0FFF; break; case 0x3000: if (_registers[rx] == (op & kImmediateMask)) _program_counter += 4; else _program_counter += 2; break; case 0x4000: if (_registers[rx] != (op & kImmediateMask)) _program_counter += 4; else _program_counter += 2; break; case 0x5000: if (_registers[rx] == _registers[ry]) _program_counter += 4; else _program_counter += 2; break; case 0x6000: _registers[rx] = (op & kImmediateMask); _program_counter += 2; break; case 0x7000: _registers[rx] += (op & kImmediateMask); _program_counter += 2; break; case 0x8000: switch (op & kLastNibble) { case 0x0: // Sets VX to the value of VY _registers[rx] = _registers[ry]; break; case 0x1: // Sets VX to VX OR VY _registers[rx] |= _registers[ry]; break; case 0x2: // Sets VX to VX AND VY _registers[rx] &= _registers[ry]; break; case 0x3: // Sets VX to VX XOR VY _registers[rx] ^= _registers[ry]; break; case 0x4: { // Adds VY to VX, VF is set to carry uint16_t sum = _registers[rx] + _registers[ry]; _registers[0xF] = (sum > 0xFF) ? 1 : 0; _registers[rx] = sum % 0xFF; break; } case 0x5: // VY is subtracted from VX, VF is set to zero when there is a borrow _registers[0xF] = (_registers[ry] > _registers[rx] ? 0 : 1); _registers[rx] -= _registers[ry]; break; case 0x6: // Shifts VY right by one and stores the result in VX, VF set to least // significant bit before shift _registers[0xF] = _registers[ry] & 0x0001; _registers[rx] = _registers[ry] >> 1; break; case 0x7: // Sets VX to VY minus VX, VF is set to zero when there is a borrow _registers[0xF] = (_registers[rx] > _registers[ry] ? 0 : 1); _registers[rx] = _registers[ry] - _registers[rx]; break; case 0xE: // Shifts VY left by one and stores result in VX, VF set to most // significant bit before shift _registers[0xF] = (_registers[ry] & 0x8000) >> 8; _registers[rx] = _registers[ry] << 1; break; } _program_counter += 2; break; case 0xA000: _index_register = (op & kAddressMask); _program_counter += 2; break; case 0xC000: _registers[rx] = std::rand() & (op & kImmediateMask); _program_counter += 2; break; case 0xD000: { int x = _registers[rx]; int y = _registers[ry]; int n = (op & kLastNibble); uint16_t sprite_pointer = _index_register; bool xored = false; // Height is determined by the last nibble for (int i=0; i < n; i++) { // Chip8 sprites are ALWAYS 8 pixels wide uint8_t sprite_mask = 0x80; uint8_t sprite_row = _m->getByte(sprite_pointer + i); //std::cout << "[cpu] Current sprite pointer: " << (int)sprite_pointer + i << std::endl; //std::cout << "[cpu] Current sprite row: " << (int)sprite_row << std::endl; for (int j=0; j<8; j++) { if (sprite_row & sprite_mask) { bool on = _g->get(x + j, y + i); if (on) xored = true; _g->set(x + j, y + i, !on); } sprite_mask >>= 1; } } _registers[0x0F] = xored; _program_counter += 2; break; } case 0xE000: switch (last_byte) { case 0xA1: { // Skip the following instruction if the key corresponding to the hex value // currently stored in register VX is not pressed. uint8_t key = _registers[rx]; SDL_Event event; while (SDL_PollEvent(&event)) { if (event.type == SDL_KEYDOWN) { if(event.key.keysym.sym == kKeyCodeMap[key]) { std::cout << "skipping" << std::endl; _program_counter += 2; } } } } } _program_counter += 2; break; case 0xF000: int mod = 100; switch (last_byte) { case 0x07: // Store the current value of the delay timer in register VX _registers[rx] = _delay_timer; break; case 0x15: // Set the delay timer to the value of register VX _delay_timer = _registers[rx]; break; case 0x29: // Set index register to location of font for hex digit in VX _index_register = _m->getFontLocation() + _registers[rx]; break; case 0x33: // Store the binary-coded decimal equivalent of the value stored in // register VX into subsequent memory addresses starting at the address // currently in the index register. for (int i=0; i<3; i++) { _m->putByte(_index_register + i, _registers[rx] % mod); mod /= 10; } break; case 0x65: // Fill registers V0 to VX inclusive with the values stored in memory // starting at the address currently in the index register. for (int i=0; i<=rx; i++) _registers[i] = _m->getByte(_index_register + i); break; // TODO: set index register to index register + x + 1 after this? } _program_counter += 2; } // Lets check out what is going on inside the registers of the CPU dump(); // Decrement the timers -- because the timers run at the same clock rate as the CPU // itself (60hz) this is totally fine. // TODO: skip decrement on cycle when timers are set if (_delay_timer > 0) { _delay_timer--; } if (_sound_timer > 0) { _sound_timer--; } } void CPU::dump() { std::cout << "-------- CPU Registers --------" << std::endl; for (int i=0; i<4; i++) { std::cout << std::hex << std::setfill('0') << std::setw(1) << i + 0 << ": 0x" << std::setw(2) << int(_registers[i+0]) << " " << std::setw(1) << i + 4 << ": 0x" << std::setw(2) << int(_registers[i+4]) << " " << std::setw(1) << i + 8 << ": 0x" << std::setw(2) << int(_registers[i+8]) << " " << std::setw(1) << i + 12 << ": 0x" << std::setw(2) << int(_registers[i+12]) << " " << std::endl; } std::cout << std::endl; std::cout << "pc: 0x" << std::setw(3) << int(_program_counter) << std::endl << "ix: 0x" << std::setw(3) << int(_index_register) << std::endl << "sp: 0x" << std::setw(3) << int(_stack_pointer) << std::endl << "dt: 0x" << std::setw(2) << int(_delay_timer) << std::endl << "st: 0x" << std::setw(2) << int(_sound_timer) << std::endl; std::cout << "-------------------------------" << std::endl; std::cout << std::endl; } } // namespace Chip8
[ "tyler.brock@gmail.com" ]
tyler.brock@gmail.com
7058467e208569e7333fd774a01efdda433865c7
1453cd02157d7e34b5e806a9486791a18c2df5c9
/app/pb/ProtoRotaryTable.pb.h
4859b51e3362a946f26d4eca777892b8a8aad996
[]
no_license
colinblack/game-srv-muduo
6da0c485b36d766d9cc9b3bd8ef4b6f83fab27f8
9fd5c98ba70d51e3fbfd0af0878b92019f242bec
refs/heads/main
2023-05-15T06:18:45.431480
2021-06-07T07:44:48
2021-06-07T07:44:48
373,710,270
1
1
null
2021-06-04T06:11:54
2021-06-04T03:34:48
null
UTF-8
C++
false
true
41,945
h
// Generated by the protocol buffer compiler. DO NOT EDIT! // source: ProtoRotaryTable.proto #ifndef PROTOBUF_ProtoRotaryTable_2eproto__INCLUDED #define PROTOBUF_ProtoRotaryTable_2eproto__INCLUDED #include <string> #include <google/protobuf/stubs/common.h> #if GOOGLE_PROTOBUF_VERSION < 2006000 #error This file was generated by a newer version of protoc which is #error incompatible with your Protocol Buffer headers. Please update #error your headers. #endif #if 2006001 < GOOGLE_PROTOBUF_MIN_PROTOC_VERSION #error This file was generated by an older version of protoc which is #error incompatible with your Protocol Buffer headers. Please #error regenerate this file with a newer version of protoc. #endif #include <google/protobuf/generated_message_util.h> #include <google/protobuf/message.h> #include <google/protobuf/repeated_field.h> #include <google/protobuf/extension_set.h> #include <google/protobuf/unknown_field_set.h> #include "DataCommon.pb.h" // @@protoc_insertion_point(includes) namespace ProtoRotaryTable { // Internal implementation detail -- do not call these. void protobuf_AddDesc_ProtoRotaryTable_2eproto(); void protobuf_AssignDesc_ProtoRotaryTable_2eproto(); void protobuf_ShutdownFile_ProtoRotaryTable_2eproto(); class RotaryTableCPP; class DrawCntCPP; class GetRotaryTableInfoReq; class GetRotaryTableInfoResp; class DrawRotaryTableReq; class DrawRotaryTableResp; class ShareReq; class ShareResp; // =================================================================== class RotaryTableCPP : public ::google::protobuf::Message { public: RotaryTableCPP(); virtual ~RotaryTableCPP(); RotaryTableCPP(const RotaryTableCPP& from); inline RotaryTableCPP& operator=(const RotaryTableCPP& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RotaryTableCPP& default_instance(); void Swap(RotaryTableCPP* other); // implements Message ---------------------------------------------- RotaryTableCPP* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RotaryTableCPP& from); void MergeFrom(const RotaryTableCPP& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required uint32 gridid = 1; inline bool has_gridid() const; inline void clear_gridid(); static const int kGrididFieldNumber = 1; inline ::google::protobuf::uint32 gridid() const; inline void set_gridid(::google::protobuf::uint32 value); // required uint32 griditemtype = 2; inline bool has_griditemtype() const; inline void clear_griditemtype(); static const int kGriditemtypeFieldNumber = 2; inline ::google::protobuf::uint32 griditemtype() const; inline void set_griditemtype(::google::protobuf::uint32 value); // optional uint32 griditemid = 3; inline bool has_griditemid() const; inline void clear_griditemid(); static const int kGriditemidFieldNumber = 3; inline ::google::protobuf::uint32 griditemid() const; inline void set_griditemid(::google::protobuf::uint32 value); // required uint32 griditemcnt = 4; inline bool has_griditemcnt() const; inline void clear_griditemcnt(); static const int kGriditemcntFieldNumber = 4; inline ::google::protobuf::uint32 griditemcnt() const; inline void set_griditemcnt(::google::protobuf::uint32 value); // @@protoc_insertion_point(class_scope:ProtoRotaryTable.RotaryTableCPP) private: inline void set_has_gridid(); inline void clear_has_gridid(); inline void set_has_griditemtype(); inline void clear_has_griditemtype(); inline void set_has_griditemid(); inline void clear_has_griditemid(); inline void set_has_griditemcnt(); inline void clear_has_griditemcnt(); ::google::protobuf::UnknownFieldSet _unknown_fields_; ::google::protobuf::uint32 _has_bits_[1]; mutable int _cached_size_; ::google::protobuf::uint32 gridid_; ::google::protobuf::uint32 griditemtype_; ::google::protobuf::uint32 griditemid_; ::google::protobuf::uint32 griditemcnt_; friend void protobuf_AddDesc_ProtoRotaryTable_2eproto(); friend void protobuf_AssignDesc_ProtoRotaryTable_2eproto(); friend void protobuf_ShutdownFile_ProtoRotaryTable_2eproto(); void InitAsDefaultInstance(); static RotaryTableCPP* default_instance_; }; // ------------------------------------------------------------------- class DrawCntCPP : public ::google::protobuf::Message { public: DrawCntCPP(); virtual ~DrawCntCPP(); DrawCntCPP(const DrawCntCPP& from); inline DrawCntCPP& operator=(const DrawCntCPP& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const DrawCntCPP& default_instance(); void Swap(DrawCntCPP* other); // implements Message ---------------------------------------------- DrawCntCPP* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const DrawCntCPP& from); void MergeFrom(const DrawCntCPP& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required uint32 freeDrawCnt = 1; inline bool has_freedrawcnt() const; inline void clear_freedrawcnt(); static const int kFreeDrawCntFieldNumber = 1; inline ::google::protobuf::uint32 freedrawcnt() const; inline void set_freedrawcnt(::google::protobuf::uint32 value); // required uint32 usedFreeDrawCnt = 2; inline bool has_usedfreedrawcnt() const; inline void clear_usedfreedrawcnt(); static const int kUsedFreeDrawCntFieldNumber = 2; inline ::google::protobuf::uint32 usedfreedrawcnt() const; inline void set_usedfreedrawcnt(::google::protobuf::uint32 value); // required uint32 usedFriendlyDrawCnt = 3; inline bool has_usedfriendlydrawcnt() const; inline void clear_usedfriendlydrawcnt(); static const int kUsedFriendlyDrawCntFieldNumber = 3; inline ::google::protobuf::uint32 usedfriendlydrawcnt() const; inline void set_usedfriendlydrawcnt(::google::protobuf::uint32 value); // @@protoc_insertion_point(class_scope:ProtoRotaryTable.DrawCntCPP) private: inline void set_has_freedrawcnt(); inline void clear_has_freedrawcnt(); inline void set_has_usedfreedrawcnt(); inline void clear_has_usedfreedrawcnt(); inline void set_has_usedfriendlydrawcnt(); inline void clear_has_usedfriendlydrawcnt(); ::google::protobuf::UnknownFieldSet _unknown_fields_; ::google::protobuf::uint32 _has_bits_[1]; mutable int _cached_size_; ::google::protobuf::uint32 freedrawcnt_; ::google::protobuf::uint32 usedfreedrawcnt_; ::google::protobuf::uint32 usedfriendlydrawcnt_; friend void protobuf_AddDesc_ProtoRotaryTable_2eproto(); friend void protobuf_AssignDesc_ProtoRotaryTable_2eproto(); friend void protobuf_ShutdownFile_ProtoRotaryTable_2eproto(); void InitAsDefaultInstance(); static DrawCntCPP* default_instance_; }; // ------------------------------------------------------------------- class GetRotaryTableInfoReq : public ::google::protobuf::Message { public: GetRotaryTableInfoReq(); virtual ~GetRotaryTableInfoReq(); GetRotaryTableInfoReq(const GetRotaryTableInfoReq& from); inline GetRotaryTableInfoReq& operator=(const GetRotaryTableInfoReq& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const GetRotaryTableInfoReq& default_instance(); void Swap(GetRotaryTableInfoReq* other); // implements Message ---------------------------------------------- GetRotaryTableInfoReq* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const GetRotaryTableInfoReq& from); void MergeFrom(const GetRotaryTableInfoReq& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // @@protoc_insertion_point(class_scope:ProtoRotaryTable.GetRotaryTableInfoReq) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; ::google::protobuf::uint32 _has_bits_[1]; mutable int _cached_size_; friend void protobuf_AddDesc_ProtoRotaryTable_2eproto(); friend void protobuf_AssignDesc_ProtoRotaryTable_2eproto(); friend void protobuf_ShutdownFile_ProtoRotaryTable_2eproto(); void InitAsDefaultInstance(); static GetRotaryTableInfoReq* default_instance_; }; // ------------------------------------------------------------------- class GetRotaryTableInfoResp : public ::google::protobuf::Message { public: GetRotaryTableInfoResp(); virtual ~GetRotaryTableInfoResp(); GetRotaryTableInfoResp(const GetRotaryTableInfoResp& from); inline GetRotaryTableInfoResp& operator=(const GetRotaryTableInfoResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const GetRotaryTableInfoResp& default_instance(); void Swap(GetRotaryTableInfoResp* other); // implements Message ---------------------------------------------- GetRotaryTableInfoResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const GetRotaryTableInfoResp& from); void MergeFrom(const GetRotaryTableInfoResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // repeated .ProtoRotaryTable.RotaryTableCPP rotarytable = 1; inline int rotarytable_size() const; inline void clear_rotarytable(); static const int kRotarytableFieldNumber = 1; inline const ::ProtoRotaryTable::RotaryTableCPP& rotarytable(int index) const; inline ::ProtoRotaryTable::RotaryTableCPP* mutable_rotarytable(int index); inline ::ProtoRotaryTable::RotaryTableCPP* add_rotarytable(); inline const ::google::protobuf::RepeatedPtrField< ::ProtoRotaryTable::RotaryTableCPP >& rotarytable() const; inline ::google::protobuf::RepeatedPtrField< ::ProtoRotaryTable::RotaryTableCPP >* mutable_rotarytable(); // required .ProtoRotaryTable.DrawCntCPP drawinfo = 2; inline bool has_drawinfo() const; inline void clear_drawinfo(); static const int kDrawinfoFieldNumber = 2; inline const ::ProtoRotaryTable::DrawCntCPP& drawinfo() const; inline ::ProtoRotaryTable::DrawCntCPP* mutable_drawinfo(); inline ::ProtoRotaryTable::DrawCntCPP* release_drawinfo(); inline void set_allocated_drawinfo(::ProtoRotaryTable::DrawCntCPP* drawinfo); // @@protoc_insertion_point(class_scope:ProtoRotaryTable.GetRotaryTableInfoResp) private: inline void set_has_drawinfo(); inline void clear_has_drawinfo(); ::google::protobuf::UnknownFieldSet _unknown_fields_; ::google::protobuf::uint32 _has_bits_[1]; mutable int _cached_size_; ::google::protobuf::RepeatedPtrField< ::ProtoRotaryTable::RotaryTableCPP > rotarytable_; ::ProtoRotaryTable::DrawCntCPP* drawinfo_; friend void protobuf_AddDesc_ProtoRotaryTable_2eproto(); friend void protobuf_AssignDesc_ProtoRotaryTable_2eproto(); friend void protobuf_ShutdownFile_ProtoRotaryTable_2eproto(); void InitAsDefaultInstance(); static GetRotaryTableInfoResp* default_instance_; }; // ------------------------------------------------------------------- class DrawRotaryTableReq : public ::google::protobuf::Message { public: DrawRotaryTableReq(); virtual ~DrawRotaryTableReq(); DrawRotaryTableReq(const DrawRotaryTableReq& from); inline DrawRotaryTableReq& operator=(const DrawRotaryTableReq& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const DrawRotaryTableReq& default_instance(); void Swap(DrawRotaryTableReq* other); // implements Message ---------------------------------------------- DrawRotaryTableReq* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const DrawRotaryTableReq& from); void MergeFrom(const DrawRotaryTableReq& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // @@protoc_insertion_point(class_scope:ProtoRotaryTable.DrawRotaryTableReq) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; ::google::protobuf::uint32 _has_bits_[1]; mutable int _cached_size_; friend void protobuf_AddDesc_ProtoRotaryTable_2eproto(); friend void protobuf_AssignDesc_ProtoRotaryTable_2eproto(); friend void protobuf_ShutdownFile_ProtoRotaryTable_2eproto(); void InitAsDefaultInstance(); static DrawRotaryTableReq* default_instance_; }; // ------------------------------------------------------------------- class DrawRotaryTableResp : public ::google::protobuf::Message { public: DrawRotaryTableResp(); virtual ~DrawRotaryTableResp(); DrawRotaryTableResp(const DrawRotaryTableResp& from); inline DrawRotaryTableResp& operator=(const DrawRotaryTableResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const DrawRotaryTableResp& default_instance(); void Swap(DrawRotaryTableResp* other); // implements Message ---------------------------------------------- DrawRotaryTableResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const DrawRotaryTableResp& from); void MergeFrom(const DrawRotaryTableResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required uint32 gridid = 1; inline bool has_gridid() const; inline void clear_gridid(); static const int kGrididFieldNumber = 1; inline ::google::protobuf::uint32 gridid() const; inline void set_gridid(::google::protobuf::uint32 value); // required .DataCommon.CommonItemsCPP commons = 2; inline bool has_commons() const; inline void clear_commons(); static const int kCommonsFieldNumber = 2; inline const ::DataCommon::CommonItemsCPP& commons() const; inline ::DataCommon::CommonItemsCPP* mutable_commons(); inline ::DataCommon::CommonItemsCPP* release_commons(); inline void set_allocated_commons(::DataCommon::CommonItemsCPP* commons); // required .ProtoRotaryTable.DrawCntCPP drawinfo = 3; inline bool has_drawinfo() const; inline void clear_drawinfo(); static const int kDrawinfoFieldNumber = 3; inline const ::ProtoRotaryTable::DrawCntCPP& drawinfo() const; inline ::ProtoRotaryTable::DrawCntCPP* mutable_drawinfo(); inline ::ProtoRotaryTable::DrawCntCPP* release_drawinfo(); inline void set_allocated_drawinfo(::ProtoRotaryTable::DrawCntCPP* drawinfo); // required uint32 curfriendlyvalue = 4; inline bool has_curfriendlyvalue() const; inline void clear_curfriendlyvalue(); static const int kCurfriendlyvalueFieldNumber = 4; inline ::google::protobuf::uint32 curfriendlyvalue() const; inline void set_curfriendlyvalue(::google::protobuf::uint32 value); // @@protoc_insertion_point(class_scope:ProtoRotaryTable.DrawRotaryTableResp) private: inline void set_has_gridid(); inline void clear_has_gridid(); inline void set_has_commons(); inline void clear_has_commons(); inline void set_has_drawinfo(); inline void clear_has_drawinfo(); inline void set_has_curfriendlyvalue(); inline void clear_has_curfriendlyvalue(); ::google::protobuf::UnknownFieldSet _unknown_fields_; ::google::protobuf::uint32 _has_bits_[1]; mutable int _cached_size_; ::DataCommon::CommonItemsCPP* commons_; ::google::protobuf::uint32 gridid_; ::google::protobuf::uint32 curfriendlyvalue_; ::ProtoRotaryTable::DrawCntCPP* drawinfo_; friend void protobuf_AddDesc_ProtoRotaryTable_2eproto(); friend void protobuf_AssignDesc_ProtoRotaryTable_2eproto(); friend void protobuf_ShutdownFile_ProtoRotaryTable_2eproto(); void InitAsDefaultInstance(); static DrawRotaryTableResp* default_instance_; }; // ------------------------------------------------------------------- class ShareReq : public ::google::protobuf::Message { public: ShareReq(); virtual ~ShareReq(); ShareReq(const ShareReq& from); inline ShareReq& operator=(const ShareReq& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const ShareReq& default_instance(); void Swap(ShareReq* other); // implements Message ---------------------------------------------- ShareReq* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const ShareReq& from); void MergeFrom(const ShareReq& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // @@protoc_insertion_point(class_scope:ProtoRotaryTable.ShareReq) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; ::google::protobuf::uint32 _has_bits_[1]; mutable int _cached_size_; friend void protobuf_AddDesc_ProtoRotaryTable_2eproto(); friend void protobuf_AssignDesc_ProtoRotaryTable_2eproto(); friend void protobuf_ShutdownFile_ProtoRotaryTable_2eproto(); void InitAsDefaultInstance(); static ShareReq* default_instance_; }; // ------------------------------------------------------------------- class ShareResp : public ::google::protobuf::Message { public: ShareResp(); virtual ~ShareResp(); ShareResp(const ShareResp& from); inline ShareResp& operator=(const ShareResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const ShareResp& default_instance(); void Swap(ShareResp* other); // implements Message ---------------------------------------------- ShareResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const ShareResp& from); void MergeFrom(const ShareResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required .ProtoRotaryTable.DrawCntCPP drawinfo = 1; inline bool has_drawinfo() const; inline void clear_drawinfo(); static const int kDrawinfoFieldNumber = 1; inline const ::ProtoRotaryTable::DrawCntCPP& drawinfo() const; inline ::ProtoRotaryTable::DrawCntCPP* mutable_drawinfo(); inline ::ProtoRotaryTable::DrawCntCPP* release_drawinfo(); inline void set_allocated_drawinfo(::ProtoRotaryTable::DrawCntCPP* drawinfo); // @@protoc_insertion_point(class_scope:ProtoRotaryTable.ShareResp) private: inline void set_has_drawinfo(); inline void clear_has_drawinfo(); ::google::protobuf::UnknownFieldSet _unknown_fields_; ::google::protobuf::uint32 _has_bits_[1]; mutable int _cached_size_; ::ProtoRotaryTable::DrawCntCPP* drawinfo_; friend void protobuf_AddDesc_ProtoRotaryTable_2eproto(); friend void protobuf_AssignDesc_ProtoRotaryTable_2eproto(); friend void protobuf_ShutdownFile_ProtoRotaryTable_2eproto(); void InitAsDefaultInstance(); static ShareResp* default_instance_; }; // =================================================================== // =================================================================== // RotaryTableCPP // required uint32 gridid = 1; inline bool RotaryTableCPP::has_gridid() const { return (_has_bits_[0] & 0x00000001u) != 0; } inline void RotaryTableCPP::set_has_gridid() { _has_bits_[0] |= 0x00000001u; } inline void RotaryTableCPP::clear_has_gridid() { _has_bits_[0] &= ~0x00000001u; } inline void RotaryTableCPP::clear_gridid() { gridid_ = 0u; clear_has_gridid(); } inline ::google::protobuf::uint32 RotaryTableCPP::gridid() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.RotaryTableCPP.gridid) return gridid_; } inline void RotaryTableCPP::set_gridid(::google::protobuf::uint32 value) { set_has_gridid(); gridid_ = value; // @@protoc_insertion_point(field_set:ProtoRotaryTable.RotaryTableCPP.gridid) } // required uint32 griditemtype = 2; inline bool RotaryTableCPP::has_griditemtype() const { return (_has_bits_[0] & 0x00000002u) != 0; } inline void RotaryTableCPP::set_has_griditemtype() { _has_bits_[0] |= 0x00000002u; } inline void RotaryTableCPP::clear_has_griditemtype() { _has_bits_[0] &= ~0x00000002u; } inline void RotaryTableCPP::clear_griditemtype() { griditemtype_ = 0u; clear_has_griditemtype(); } inline ::google::protobuf::uint32 RotaryTableCPP::griditemtype() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.RotaryTableCPP.griditemtype) return griditemtype_; } inline void RotaryTableCPP::set_griditemtype(::google::protobuf::uint32 value) { set_has_griditemtype(); griditemtype_ = value; // @@protoc_insertion_point(field_set:ProtoRotaryTable.RotaryTableCPP.griditemtype) } // optional uint32 griditemid = 3; inline bool RotaryTableCPP::has_griditemid() const { return (_has_bits_[0] & 0x00000004u) != 0; } inline void RotaryTableCPP::set_has_griditemid() { _has_bits_[0] |= 0x00000004u; } inline void RotaryTableCPP::clear_has_griditemid() { _has_bits_[0] &= ~0x00000004u; } inline void RotaryTableCPP::clear_griditemid() { griditemid_ = 0u; clear_has_griditemid(); } inline ::google::protobuf::uint32 RotaryTableCPP::griditemid() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.RotaryTableCPP.griditemid) return griditemid_; } inline void RotaryTableCPP::set_griditemid(::google::protobuf::uint32 value) { set_has_griditemid(); griditemid_ = value; // @@protoc_insertion_point(field_set:ProtoRotaryTable.RotaryTableCPP.griditemid) } // required uint32 griditemcnt = 4; inline bool RotaryTableCPP::has_griditemcnt() const { return (_has_bits_[0] & 0x00000008u) != 0; } inline void RotaryTableCPP::set_has_griditemcnt() { _has_bits_[0] |= 0x00000008u; } inline void RotaryTableCPP::clear_has_griditemcnt() { _has_bits_[0] &= ~0x00000008u; } inline void RotaryTableCPP::clear_griditemcnt() { griditemcnt_ = 0u; clear_has_griditemcnt(); } inline ::google::protobuf::uint32 RotaryTableCPP::griditemcnt() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.RotaryTableCPP.griditemcnt) return griditemcnt_; } inline void RotaryTableCPP::set_griditemcnt(::google::protobuf::uint32 value) { set_has_griditemcnt(); griditemcnt_ = value; // @@protoc_insertion_point(field_set:ProtoRotaryTable.RotaryTableCPP.griditemcnt) } // ------------------------------------------------------------------- // DrawCntCPP // required uint32 freeDrawCnt = 1; inline bool DrawCntCPP::has_freedrawcnt() const { return (_has_bits_[0] & 0x00000001u) != 0; } inline void DrawCntCPP::set_has_freedrawcnt() { _has_bits_[0] |= 0x00000001u; } inline void DrawCntCPP::clear_has_freedrawcnt() { _has_bits_[0] &= ~0x00000001u; } inline void DrawCntCPP::clear_freedrawcnt() { freedrawcnt_ = 0u; clear_has_freedrawcnt(); } inline ::google::protobuf::uint32 DrawCntCPP::freedrawcnt() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.DrawCntCPP.freeDrawCnt) return freedrawcnt_; } inline void DrawCntCPP::set_freedrawcnt(::google::protobuf::uint32 value) { set_has_freedrawcnt(); freedrawcnt_ = value; // @@protoc_insertion_point(field_set:ProtoRotaryTable.DrawCntCPP.freeDrawCnt) } // required uint32 usedFreeDrawCnt = 2; inline bool DrawCntCPP::has_usedfreedrawcnt() const { return (_has_bits_[0] & 0x00000002u) != 0; } inline void DrawCntCPP::set_has_usedfreedrawcnt() { _has_bits_[0] |= 0x00000002u; } inline void DrawCntCPP::clear_has_usedfreedrawcnt() { _has_bits_[0] &= ~0x00000002u; } inline void DrawCntCPP::clear_usedfreedrawcnt() { usedfreedrawcnt_ = 0u; clear_has_usedfreedrawcnt(); } inline ::google::protobuf::uint32 DrawCntCPP::usedfreedrawcnt() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.DrawCntCPP.usedFreeDrawCnt) return usedfreedrawcnt_; } inline void DrawCntCPP::set_usedfreedrawcnt(::google::protobuf::uint32 value) { set_has_usedfreedrawcnt(); usedfreedrawcnt_ = value; // @@protoc_insertion_point(field_set:ProtoRotaryTable.DrawCntCPP.usedFreeDrawCnt) } // required uint32 usedFriendlyDrawCnt = 3; inline bool DrawCntCPP::has_usedfriendlydrawcnt() const { return (_has_bits_[0] & 0x00000004u) != 0; } inline void DrawCntCPP::set_has_usedfriendlydrawcnt() { _has_bits_[0] |= 0x00000004u; } inline void DrawCntCPP::clear_has_usedfriendlydrawcnt() { _has_bits_[0] &= ~0x00000004u; } inline void DrawCntCPP::clear_usedfriendlydrawcnt() { usedfriendlydrawcnt_ = 0u; clear_has_usedfriendlydrawcnt(); } inline ::google::protobuf::uint32 DrawCntCPP::usedfriendlydrawcnt() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.DrawCntCPP.usedFriendlyDrawCnt) return usedfriendlydrawcnt_; } inline void DrawCntCPP::set_usedfriendlydrawcnt(::google::protobuf::uint32 value) { set_has_usedfriendlydrawcnt(); usedfriendlydrawcnt_ = value; // @@protoc_insertion_point(field_set:ProtoRotaryTable.DrawCntCPP.usedFriendlyDrawCnt) } // ------------------------------------------------------------------- // GetRotaryTableInfoReq // ------------------------------------------------------------------- // GetRotaryTableInfoResp // repeated .ProtoRotaryTable.RotaryTableCPP rotarytable = 1; inline int GetRotaryTableInfoResp::rotarytable_size() const { return rotarytable_.size(); } inline void GetRotaryTableInfoResp::clear_rotarytable() { rotarytable_.Clear(); } inline const ::ProtoRotaryTable::RotaryTableCPP& GetRotaryTableInfoResp::rotarytable(int index) const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.GetRotaryTableInfoResp.rotarytable) return rotarytable_.Get(index); } inline ::ProtoRotaryTable::RotaryTableCPP* GetRotaryTableInfoResp::mutable_rotarytable(int index) { // @@protoc_insertion_point(field_mutable:ProtoRotaryTable.GetRotaryTableInfoResp.rotarytable) return rotarytable_.Mutable(index); } inline ::ProtoRotaryTable::RotaryTableCPP* GetRotaryTableInfoResp::add_rotarytable() { // @@protoc_insertion_point(field_add:ProtoRotaryTable.GetRotaryTableInfoResp.rotarytable) return rotarytable_.Add(); } inline const ::google::protobuf::RepeatedPtrField< ::ProtoRotaryTable::RotaryTableCPP >& GetRotaryTableInfoResp::rotarytable() const { // @@protoc_insertion_point(field_list:ProtoRotaryTable.GetRotaryTableInfoResp.rotarytable) return rotarytable_; } inline ::google::protobuf::RepeatedPtrField< ::ProtoRotaryTable::RotaryTableCPP >* GetRotaryTableInfoResp::mutable_rotarytable() { // @@protoc_insertion_point(field_mutable_list:ProtoRotaryTable.GetRotaryTableInfoResp.rotarytable) return &rotarytable_; } // required .ProtoRotaryTable.DrawCntCPP drawinfo = 2; inline bool GetRotaryTableInfoResp::has_drawinfo() const { return (_has_bits_[0] & 0x00000002u) != 0; } inline void GetRotaryTableInfoResp::set_has_drawinfo() { _has_bits_[0] |= 0x00000002u; } inline void GetRotaryTableInfoResp::clear_has_drawinfo() { _has_bits_[0] &= ~0x00000002u; } inline void GetRotaryTableInfoResp::clear_drawinfo() { if (drawinfo_ != NULL) drawinfo_->::ProtoRotaryTable::DrawCntCPP::Clear(); clear_has_drawinfo(); } inline const ::ProtoRotaryTable::DrawCntCPP& GetRotaryTableInfoResp::drawinfo() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.GetRotaryTableInfoResp.drawinfo) return drawinfo_ != NULL ? *drawinfo_ : *default_instance_->drawinfo_; } inline ::ProtoRotaryTable::DrawCntCPP* GetRotaryTableInfoResp::mutable_drawinfo() { set_has_drawinfo(); if (drawinfo_ == NULL) drawinfo_ = new ::ProtoRotaryTable::DrawCntCPP; // @@protoc_insertion_point(field_mutable:ProtoRotaryTable.GetRotaryTableInfoResp.drawinfo) return drawinfo_; } inline ::ProtoRotaryTable::DrawCntCPP* GetRotaryTableInfoResp::release_drawinfo() { clear_has_drawinfo(); ::ProtoRotaryTable::DrawCntCPP* temp = drawinfo_; drawinfo_ = NULL; return temp; } inline void GetRotaryTableInfoResp::set_allocated_drawinfo(::ProtoRotaryTable::DrawCntCPP* drawinfo) { delete drawinfo_; drawinfo_ = drawinfo; if (drawinfo) { set_has_drawinfo(); } else { clear_has_drawinfo(); } // @@protoc_insertion_point(field_set_allocated:ProtoRotaryTable.GetRotaryTableInfoResp.drawinfo) } // ------------------------------------------------------------------- // DrawRotaryTableReq // ------------------------------------------------------------------- // DrawRotaryTableResp // required uint32 gridid = 1; inline bool DrawRotaryTableResp::has_gridid() const { return (_has_bits_[0] & 0x00000001u) != 0; } inline void DrawRotaryTableResp::set_has_gridid() { _has_bits_[0] |= 0x00000001u; } inline void DrawRotaryTableResp::clear_has_gridid() { _has_bits_[0] &= ~0x00000001u; } inline void DrawRotaryTableResp::clear_gridid() { gridid_ = 0u; clear_has_gridid(); } inline ::google::protobuf::uint32 DrawRotaryTableResp::gridid() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.DrawRotaryTableResp.gridid) return gridid_; } inline void DrawRotaryTableResp::set_gridid(::google::protobuf::uint32 value) { set_has_gridid(); gridid_ = value; // @@protoc_insertion_point(field_set:ProtoRotaryTable.DrawRotaryTableResp.gridid) } // required .DataCommon.CommonItemsCPP commons = 2; inline bool DrawRotaryTableResp::has_commons() const { return (_has_bits_[0] & 0x00000002u) != 0; } inline void DrawRotaryTableResp::set_has_commons() { _has_bits_[0] |= 0x00000002u; } inline void DrawRotaryTableResp::clear_has_commons() { _has_bits_[0] &= ~0x00000002u; } inline void DrawRotaryTableResp::clear_commons() { if (commons_ != NULL) commons_->::DataCommon::CommonItemsCPP::Clear(); clear_has_commons(); } inline const ::DataCommon::CommonItemsCPP& DrawRotaryTableResp::commons() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.DrawRotaryTableResp.commons) return commons_ != NULL ? *commons_ : *default_instance_->commons_; } inline ::DataCommon::CommonItemsCPP* DrawRotaryTableResp::mutable_commons() { set_has_commons(); if (commons_ == NULL) commons_ = new ::DataCommon::CommonItemsCPP; // @@protoc_insertion_point(field_mutable:ProtoRotaryTable.DrawRotaryTableResp.commons) return commons_; } inline ::DataCommon::CommonItemsCPP* DrawRotaryTableResp::release_commons() { clear_has_commons(); ::DataCommon::CommonItemsCPP* temp = commons_; commons_ = NULL; return temp; } inline void DrawRotaryTableResp::set_allocated_commons(::DataCommon::CommonItemsCPP* commons) { delete commons_; commons_ = commons; if (commons) { set_has_commons(); } else { clear_has_commons(); } // @@protoc_insertion_point(field_set_allocated:ProtoRotaryTable.DrawRotaryTableResp.commons) } // required .ProtoRotaryTable.DrawCntCPP drawinfo = 3; inline bool DrawRotaryTableResp::has_drawinfo() const { return (_has_bits_[0] & 0x00000004u) != 0; } inline void DrawRotaryTableResp::set_has_drawinfo() { _has_bits_[0] |= 0x00000004u; } inline void DrawRotaryTableResp::clear_has_drawinfo() { _has_bits_[0] &= ~0x00000004u; } inline void DrawRotaryTableResp::clear_drawinfo() { if (drawinfo_ != NULL) drawinfo_->::ProtoRotaryTable::DrawCntCPP::Clear(); clear_has_drawinfo(); } inline const ::ProtoRotaryTable::DrawCntCPP& DrawRotaryTableResp::drawinfo() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.DrawRotaryTableResp.drawinfo) return drawinfo_ != NULL ? *drawinfo_ : *default_instance_->drawinfo_; } inline ::ProtoRotaryTable::DrawCntCPP* DrawRotaryTableResp::mutable_drawinfo() { set_has_drawinfo(); if (drawinfo_ == NULL) drawinfo_ = new ::ProtoRotaryTable::DrawCntCPP; // @@protoc_insertion_point(field_mutable:ProtoRotaryTable.DrawRotaryTableResp.drawinfo) return drawinfo_; } inline ::ProtoRotaryTable::DrawCntCPP* DrawRotaryTableResp::release_drawinfo() { clear_has_drawinfo(); ::ProtoRotaryTable::DrawCntCPP* temp = drawinfo_; drawinfo_ = NULL; return temp; } inline void DrawRotaryTableResp::set_allocated_drawinfo(::ProtoRotaryTable::DrawCntCPP* drawinfo) { delete drawinfo_; drawinfo_ = drawinfo; if (drawinfo) { set_has_drawinfo(); } else { clear_has_drawinfo(); } // @@protoc_insertion_point(field_set_allocated:ProtoRotaryTable.DrawRotaryTableResp.drawinfo) } // required uint32 curfriendlyvalue = 4; inline bool DrawRotaryTableResp::has_curfriendlyvalue() const { return (_has_bits_[0] & 0x00000008u) != 0; } inline void DrawRotaryTableResp::set_has_curfriendlyvalue() { _has_bits_[0] |= 0x00000008u; } inline void DrawRotaryTableResp::clear_has_curfriendlyvalue() { _has_bits_[0] &= ~0x00000008u; } inline void DrawRotaryTableResp::clear_curfriendlyvalue() { curfriendlyvalue_ = 0u; clear_has_curfriendlyvalue(); } inline ::google::protobuf::uint32 DrawRotaryTableResp::curfriendlyvalue() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.DrawRotaryTableResp.curfriendlyvalue) return curfriendlyvalue_; } inline void DrawRotaryTableResp::set_curfriendlyvalue(::google::protobuf::uint32 value) { set_has_curfriendlyvalue(); curfriendlyvalue_ = value; // @@protoc_insertion_point(field_set:ProtoRotaryTable.DrawRotaryTableResp.curfriendlyvalue) } // ------------------------------------------------------------------- // ShareReq // ------------------------------------------------------------------- // ShareResp // required .ProtoRotaryTable.DrawCntCPP drawinfo = 1; inline bool ShareResp::has_drawinfo() const { return (_has_bits_[0] & 0x00000001u) != 0; } inline void ShareResp::set_has_drawinfo() { _has_bits_[0] |= 0x00000001u; } inline void ShareResp::clear_has_drawinfo() { _has_bits_[0] &= ~0x00000001u; } inline void ShareResp::clear_drawinfo() { if (drawinfo_ != NULL) drawinfo_->::ProtoRotaryTable::DrawCntCPP::Clear(); clear_has_drawinfo(); } inline const ::ProtoRotaryTable::DrawCntCPP& ShareResp::drawinfo() const { // @@protoc_insertion_point(field_get:ProtoRotaryTable.ShareResp.drawinfo) return drawinfo_ != NULL ? *drawinfo_ : *default_instance_->drawinfo_; } inline ::ProtoRotaryTable::DrawCntCPP* ShareResp::mutable_drawinfo() { set_has_drawinfo(); if (drawinfo_ == NULL) drawinfo_ = new ::ProtoRotaryTable::DrawCntCPP; // @@protoc_insertion_point(field_mutable:ProtoRotaryTable.ShareResp.drawinfo) return drawinfo_; } inline ::ProtoRotaryTable::DrawCntCPP* ShareResp::release_drawinfo() { clear_has_drawinfo(); ::ProtoRotaryTable::DrawCntCPP* temp = drawinfo_; drawinfo_ = NULL; return temp; } inline void ShareResp::set_allocated_drawinfo(::ProtoRotaryTable::DrawCntCPP* drawinfo) { delete drawinfo_; drawinfo_ = drawinfo; if (drawinfo) { set_has_drawinfo(); } else { clear_has_drawinfo(); } // @@protoc_insertion_point(field_set_allocated:ProtoRotaryTable.ShareResp.drawinfo) } // @@protoc_insertion_point(namespace_scope) } // namespace ProtoRotaryTable #ifndef SWIG namespace google { namespace protobuf { } // namespace google } // namespace protobuf #endif // SWIG // @@protoc_insertion_point(global_scope) #endif // PROTOBUF_ProtoRotaryTable_2eproto__INCLUDED
[ "chengpeng424@163.com" ]
chengpeng424@163.com
b58c3f58f8c5b98d71a2511f30641219e91cc804
5902fa0857cd4f722a9663bbd61aa0895b9f8dea
/BMIG-5101-SequencesAsBioInformation/Blast/ncbi-blast-2.10.0+-src/c++/src/algo/blast/format/blast_async_format.cpp
3fdedd3a2c2d399d9e99e438e3575974df4c3be6
[]
no_license
thegrapesofwrath/spring-2020
1b38d45fa44fcdc78dcecfb3b221107b97ceff9c
f90fcde64d83c04e55f9b421d20f274427cbe1c8
refs/heads/main
2023-01-23T13:35:05.394076
2020-12-08T21:40:42
2020-12-08T21:40:42
319,763,280
0
0
null
null
null
null
UTF-8
C++
false
false
129
cpp
version https://git-lfs.github.com/spec/v1 oid sha256:31baa59803d2dbd30b779d6a7840d1fbfc532f195cc3bf6203930a07594daabf size 3806
[ "shawn-hartley@sbcglobal.net" ]
shawn-hartley@sbcglobal.net
83a846a790b0ca335eb5f9b3f7d82f01033ecdd2
dfe7fd8d1b85c15aaa8cdba5486b16b54f4235b2
/chapter11/drill/Test_output9.cpp
c7e7329bb6356c78d8b3b5ae0a0ccffa7fd1b50b
[]
no_license
bubbleinwater/cpp-ppp
99ba305719fb6a6f2f3a938f0bece67f4c5b418d
e2dd225069303a34d7e8da0569e740b6ba9c0e60
refs/heads/master
2021-06-02T13:16:42.011663
2021-01-04T08:01:49
2021-01-04T08:01:49
85,021,070
1
0
null
2020-02-12T13:34:24
2017-03-15T02:45:04
C++
UTF-8
C++
false
false
930
cpp
/* Q.-- Write some code to print the number 1234567.89 three times, first using defaultfloat,next fixed,then scientific forms. Which output form presents the user with the most accurate representation? Explain why. ---- My answer first defaultfloat one is going to be printed using only six digits and the second fixed one is going to be printed only six digits after the decimal point and third scientific one have the same aspect as the fixed one which is the number after the dicimal point will be printed only six digits,but the difference between scientific and fixed which scientific form is to move the decimal point to right after the first digit and that was made fixed form won */ #include"../../std_lib_facilities.h" int main() { cout << 1234567.89 <<"\t(defaultfloat)"<<'\n' <<fixed<< 1234567.89 <<"\t(fixed)"<< '\n' <<scientific << 1234567.89 <<"\t(scientific)"<< '\n'; keep_window_open(); return 0; }
[ "hiero.tone.88@gmail.com" ]
hiero.tone.88@gmail.com
e5cc9182d102da901cdd3699041ce1fe3fab3ed6
df7726c0bcd527868db9856b3a01c82bc658c131
/SudaGureum/DB.cpp
04d0b883fe161dea5a1abaf8ef7c6f54ed18efd1
[]
no_license
nitric1/SudaGureum
461ae3d4a1625be1d27a897d449ef57c85cac655
941bee8afb82daf8e485cda7fd64aef8d5f41377
refs/heads/master
2021-01-24T20:14:40.044899
2020-08-24T13:35:13
2020-08-24T13:36:17
14,141,263
1
0
null
null
null
null
UTF-8
C++
false
false
7,299
cpp
#include "Common.h" #include "DB.h" #include "Configure.h" #include "Log.h" namespace SQLite // SQLiteCpp custom function implementation { void assertion_failed(const char *file, long line, const char *func, const char *expr, const char *message) { #ifdef _DEBUG auto &log = SudaGureum::Log::instance(); log.critical("SQLiteCpp assertion failed: {}", message); log.critical("File: {}, line: {}, function: {}", file, line, func); log.critical("Expression: {}", expr); #endif abort(); } } namespace SudaGureum { // TODO: db versioning namespace { std::string databaseFile(const std::string &dbName) { boost::filesystem::path dataPath = Configure::instance().get("data_path", "./Data"); boost::system::error_code ec; if(!boost::filesystem::create_directories(dataPath, ec) && ec) { throw(std::runtime_error(fmt::format("cannot create data directory: {}", ec.message()))); return {}; } return (dataPath / (dbName + ".db")).string(); } } const std::string ArchiveDB::DBName = "Archive"; ArchiveDB::ArchiveDB() : db_(databaseFile(DBName).c_str(), SQLITE_OPEN_READWRITE | SQLITE_OPEN_CREATE) { SQLite::Transaction tran(db_); db_.exec( "CREATE TABLE IF NOT EXISTS Log (" " idx INTEGER PRIMARY KEY AUTOINCREMENT," " userId TEXT NOT NULL," " serverName TEXT NOT NULL," " channel TEXT NOT NULL," " logTime INTEGER NOT NULL," " nickname TEXT," " logType INTEGER NOT NULL," " message TEXT" ")" ); db_.exec( "CREATE INDEX IF NOT EXISTS LogIndex ON Log (userId, serverName, channel, logTime DESC)" ); tran.commit(); } std::vector<LogLine> ArchiveDB::fetchLogs(const std::string &userId, const std::string &serverName, const std::string &channel, std::chrono::system_clock::time_point begin, std::chrono::system_clock::time_point end) { if(begin >= end) return {}; time_t beginEpoch = std::chrono::system_clock::to_time_t(begin); time_t endEpoch = std::chrono::system_clock::to_time_t(end); // boost::gregorian::date beginDate = boost::posix_time::from_time_t(beginEpoch).date(); // boost::gregorian::date endDate = boost::posix_time::from_time_t(endEpoch).date(); SQLite::Statement query(db_, "SELECT idx, userId, serverName, channel, logTime, nickname, logType, message FROM Log" " WHERE userId = @userId AND serverName = @serverName AND channel = @channel" " AND logTime >= @logTimeBegin AND logTime < @logTimeEnd" " ORDER BY idx ASC" ); query.bind("@userId", userId); query.bind("@serverName", serverName); query.bind("@channel", channel); query.bind("@logTimeBegin", beginEpoch); query.bind("@logTimeEnd", endEpoch); return fetchLogs(query); } std::vector<LogLine> ArchiveDB::fetchLogs(const std::string &userId, const std::string &serverName, const std::string &channel, std::chrono::system_clock::time_point end, size_t count, bool includeEnd) { if(count == 0) return {}; time_t endEpoch = std::chrono::system_clock::to_time_t(end); // boost::gregorian::date endDate = boost::posix_time::from_time_t(endEpoch).date(); SQLite::Statement query(db_, "SELECT idx, userId, serverName, channel, logTime, nickname, logType, message FROM Log" " WHERE userId = @userId AND serverName = @serverName AND channel = @channel" " AND logTime < @logTimeEnd" " ORDER BY idx DESC" " LIMIT @count" ); query.bind("@userId", userId); query.bind("@serverName", serverName); query.bind("@channel", channel); query.bind("@logTimeEnd", endEpoch + (includeEnd ? 1 : 0)); query.bind("@count", static_cast<int64_t>(count)); std::vector<LogLine> logs = fetchLogs(query); std::reverse(logs.begin(), logs.end()); return logs; } std::vector<LogLine> ArchiveDB::fetchLogs(SQLite::Statement &query) { std::vector<LogLine> logs; while(query.executeStep()) { time_t logTimeEpoch = query.getColumn("logTime"); logs.push_back(LogLine { std::chrono::system_clock::from_time_t(logTimeEpoch), query.getColumn("nickname"), static_cast<LogLine::LogType>(query.getColumn("logType").getInt()), query.getColumn("message"), }); } return logs; } bool ArchiveDB::insertLog(const std::string &userId, const std::string &serverName, const std::string &channel, const LogLine &logLine) { time_t epoch = std::chrono::system_clock::to_time_t(logLine.time_); SQLite::Statement query(db_, "INSERT INTO Log (userId, serverName, channel, logTime, nickname, logType, message)" " VALUES (@userId, @serverName, @channel, @logTime, @nickname, @logType, @message)" ); query.bind("@userId", userId); query.bind("@serverName", serverName); query.bind("@channel", channel); query.bind("@logTime", epoch); query.bind("@nickname", logLine.nickname_); query.bind("@logType", logLine.logType_); query.bind("@message", logLine.message_); return (query.exec() > 0); } const std::string UserDB::DBName = "User"; UserDB::UserDB() : db_(databaseFile(DBName).c_str(), SQLITE_OPEN_READWRITE | SQLITE_OPEN_CREATE) { SQLite::Transaction tran(db_); db_.exec( "CREATE TABLE IF NOT EXISTS User (" " idx INTEGER PRIMARY KEY AUTOINCREMENT," " userId TEXT NOT NULL," " passwordHash TEXT NOT NULL" ")" ); db_.exec( "CREATE INDEX IF NOT EXISTS UserIndex ON User (userId)" ); db_.exec( "CREATE TABLE IF NOT EXISTS UserServer (" " idx INTEGER PRIMARY KEY AUTOINCREMENT," " userIdx INTEGER NOT NULL," " serverName TEXT NOT NULL," " host TEXT NOT NULL," " port INTEGER NOT NULL" ")" ); tran.commit(); } std::vector<UserEntry> UserDB::fetchUserEntries() { SQLite::Statement query(db_, "SELECT userId FROM User"); while(query.executeStep()) { std::string userId = query.getColumn("userId"); } return {}; } std::string UserDB::fetchPasswordHash(const std::string &userId) { SQLite::Statement query(db_, "SELECT userId, passwordHash FROM User" " WHERE userId = @userId" ); query.bind("@userId", userId); if(!query.executeStep()) { return {}; } return query.getColumn("passwordHash"); } }
[ "mail@nitric.me" ]
mail@nitric.me
9d9b84b49cf61e2c5782f6a88286877f67f7a17b
78054846318f3b4b962550816fa83daa05b7dcc8
/first/main.cpp
6ff4c729a16b0b0000d8137d9f28d7a5f5a4b880
[]
no_license
anmolduainter/cLionProjects
2ee6563900ed294254d7014df6698149aa2ed332
8186f13b6a79de23b97e8f03bbf043c4b8222208
refs/heads/master
2021-05-16T00:37:01.518370
2017-10-21T06:40:58
2017-10-21T06:40:58
106,949,402
0
0
null
null
null
null
UTF-8
C++
false
false
91
cpp
#include <iostream> #include "bst.h" using namespace std; int main() { Node a=Node(); }
[ "anmolduainter@gmail.com" ]
anmolduainter@gmail.com
665bf05cfc2a55f7a6d728b7a0dda2570ad0341c
711893e1624934c92488d8a95384713720620914
/Software/agv/transport agent/trasportlayer/motor.h
1b23a267ee94eef1b83ab3d56d012633fdf577f9
[]
no_license
cepdnaclk/e16-3yp-smart-pharmaceutical-warehousing
ff563658bb12ac8a91c139836803ab6281c6828b
ea54414ce23ab3cab8b5eb77edb6cfbacd81d758
refs/heads/main
2023-05-27T16:31:21.822223
2023-05-23T12:18:38
2023-05-23T12:18:38
305,020,331
16
7
null
2023-05-19T12:33:19
2020-10-18T04:16:45
JavaScript
UTF-8
C++
false
false
2,701
h
#include <TaskScheduler.h> #include <PID_v1.h> static char L_encoder = 0 ; static char R_encoder = 0 ; static char encoder = 0 ; static double CL_vel = 0 ; static double CR_vel = 0 ; static char C_velc = 0 ; double Setpoint, LOutput , ROutput ; int i = 0 ; PID motorL(&CL_vel, &LOutput, &Setpoint,2,0.5,1, DIRECT); PID motorR(&CR_vel, &ROutput, &Setpoint,2,0.5,1, DIRECT); void velocity(); void street(); void leftturn(); void righturn(); Task t1(20 , TASK_FOREVER, &velocity); Task t2(25 , 240 , &street); Task t3(6000 , 1 , &leftturn); Task t4(7000 , 1 , &righturn); Scheduler runner; class MOTOR { private: /* data */ #define motort1IN1 4 #define motort1IN2 7 #define motort1PWM 6 #define motort2IN2 8 #define motort2IN1 9 #define motort2PWM 5 #define encoderR 3 #define encoderL 2 //Specify the links and initial tuning parameters public: char MaxSpeed = 0 ; MOTOR() { // setup pin out pinMode(motort1IN1,OUTPUT); pinMode(motort1IN2,OUTPUT); pinMode(motort1PWM,OUTPUT); pinMode(motort2IN1,OUTPUT); pinMode(motort2IN2,OUTPUT); pinMode(motort2PWM,OUTPUT); attachInterrupt(digitalPinToInterrupt(encoderL),Rencoder,RISING); // interrupt attachInterrupt(digitalPinToInterrupt(encoderR),Lencoder,RISING); runner.addTask(t1); runner.addTask(t2); t1.enable(); t2.enable(); Setpoint = 40; //turn the PID on motorL.SetMode(AUTOMATIC); motorR.SetMode(AUTOMATIC); } void loop(){ runner.execute(); } void static Lencoder(){ L_encoder ++ ; } void static Rencoder(){ R_encoder ++ ; } }; void velocity(void){ CL_vel = (CL_vel*19 )/20 + L_encoder ; CR_vel = (CR_vel*19 )/20 + R_encoder ; C_velc = (C_velc*19)/20 + encoder ; L_encoder = 0 ; R_encoder = 0 ; encoder = 0 ; //Serial.println(String(int(CL_vel)) +'\t'+LOutput +"\t"+String(int(CR_vel))+"\t"+ROutput); } void left(double speed_k){ digitalWrite(motort1IN1,LOW); digitalWrite(motort1IN2,HIGH); analogWrite(motort1PWM,speed_k); } void right(double speed_k){ digitalWrite(motort2IN1,LOW); digitalWrite(motort2IN2,HIGH); analogWrite(motort2PWM,speed_k); } void leftturn(){ motorL.Compute(); left(LOutput); right(0); } void righturn(){ motorR.Compute(); right(ROutput); left(0); } void street(){ Serial.println(i); i++; motorL.Compute(); motorR.Compute(); left(LOutput); right(ROutput); }
[ "praveenbhananjaya@gmail.com" ]
praveenbhananjaya@gmail.com
a90d0abd071fc24b14b450076c38f2fc1d7be809
b5dc4329c72146a6900089e45f91a6842cf83166
/Operation.hpp
994afb1c2c912047f367a8ce47043c49735a383a
[]
no_license
lukasz-kukulka/Intouch_Games_Limited
9f950c455b7933ae7c519be44053ddf356cbbcbe
a5dbf9a187c2bf36acac2b92c2589d973ddcaf79
refs/heads/master
2023-08-02T07:58:51.152450
2021-09-17T11:57:26
2021-09-17T11:57:26
407,424,388
0
0
null
null
null
null
UTF-8
C++
false
false
145
hpp
#pragma once #include <string> class Operation { public: virtual ~Operation() = default; virtual int getResult() const = 0; private: };
[ "qqla83@gmail.com" ]
qqla83@gmail.com
0386d6eb69b3b09a65901a9c7b7b98f241dfd18b
ebe5357d2777d29950779ac8b8bb0b5e22405619
/workarea/Analysis/FSFilter/FSFilter-00-00-00/src/FSFilter.cxx
8c6f90dcbe819b399b25192f4b0d1414f7265729
[]
no_license
redeboer/BOSS_IniSelect_ORIGINAL
9ba45c5a20f2a5c8e4f6e1c23ce1fca289efce28
b48291704f1b1df6a9953fd50689b9039f064815
refs/heads/master
2022-01-18T18:15:16.251103
2019-06-14T01:12:50
2019-06-14T01:12:50
179,392,775
0
0
null
null
null
null
UTF-8
C++
false
false
75,987
cxx
#include <iostream> #include <sstream> #include "GaudiKernel/AlgFactory.h" #include "GaudiKernel/Algorithm.h" #include "GaudiKernel/Bootstrap.h" #include "GaudiKernel/IDataProviderSvc.h" #include "GaudiKernel/ISvcLocator.h" #include "GaudiKernel/MsgStream.h" #include "GaudiKernel/Property.h" #include "EventModel/EventHeader.h" #include "EvtRecEvent/EvtRecEvent.h" #include "EvtRecEvent/EvtRecTrack.h" #include "VertexFit/KalmanKinematicFit.h" //#include "VertexFit/KinematicFit.h" #include "VertexFit/IVertexDbSvc.h" #include "VertexFit/SecondVertexFit.h" #include "VertexFit/VertexFit.h" //#include "VertexFit/IBeamEnergySvc.h" #include "EvtRecEvent/EvtRecEtaToGG.h" #include "EvtRecEvent/EvtRecPi0.h" #include "EvtRecEvent/EvtRecVeeVertex.h" #include "McTruth/McParticle.h" #include "MeasuredEcmsSvc/IMeasuredEcmsSvc.h" #include "ParticleID/ParticleID.h" #include "VertexFit/Helix.h" #include "FSFilter/FSFilter.h" //******************************************************************** //******************************************************************** //******************************************************************** // // CONSTRUCTOR // //******************************************************************** //******************************************************************** //******************************************************************** FSFilter::FSFilter(const std::string& name, ISvcLocator* pSvcLocator) : Algorithm(name, pSvcLocator) { //******************************************************************** // // READ PROPERTIES FROM THE JOB OPTIONS FILE // //******************************************************************** declareProperty("maxShowers", m_maxShowers = 50); declareProperty("maxExtraTracks", m_maxExtraTracks = 2); declareProperty("cmEnergy", m_cmEnergyParameter = 3.686093); declareProperty("crossingAngle", m_crossingAngle = 0.011); declareProperty("energyTolerance", m_energyTolerance = 0.25); declareProperty("maxKinematicFitChi2DOF", m_maxChi2DOF = 100.0); declareProperty("momentumTolerance", m_momentumTolerance = 0.25); declareProperty("trackStudies", m_trackStudies = false); declareProperty("extraKaonPID", m_extraKaonPID = false); declareProperty("pidStudies", m_pidStudies = false); declareProperty("neutralStudies", m_neutralStudies = false); declareProperty("pi0Studies", m_pi0Studies = false); declareProperty("etaStudies", m_etaStudies = false); declareProperty("veeStudies", m_veeStudies = false); declareProperty("bypassVertexDB", m_bypassVertexDB = false); declareProperty("YUPING", m_yuping = false); declareProperty("writeNTGen", m_writeNTGen = true); declareProperty("writeNTGenCode", m_writeNTGenCode = true); declareProperty("printTruthInformation", m_printTruthInformation = false); declareProperty("isolateRunLow", m_isolateRunLow = -1); declareProperty("isolateRunHigh", m_isolateRunHigh = -1); declareProperty("isolateEventLow", m_isolateEventLow = -1); declareProperty("isolateEventHigh", m_isolateEventHigh = -1); declareProperty("fastJpsi", m_fastJpsi = false); // determine which final states to reconstruct for(int i = 0; i < MAXFSNAMES; i++) { stringstream parname; parname << "FS"; parname << i; declareProperty(parname.str(), m_FSNames[i]); } // parameters for cuts on intermediate states for(int i = 0; i < MAXFSCUTS; i++) { stringstream parname; parname << "FSCut"; parname << i; declareProperty(parname.str(), m_FSCuts[i]); } // parameters for constraints on intermediate states for(int i = 0; i < MAXFSCONSTRAINTS; i++) { stringstream parname; parname << "FSConstrain"; parname << i; declareProperty(parname.str(), m_FSConstraints[i]); } // parameters for missing mass fits for(int i = 0; i < MAXFSMMFITS; i++) { stringstream parname; parname << "FSMMFit"; parname << i; declareProperty(parname.str(), m_FSMMFits[i]); } //******************************************************************** // // INITIALIZE GLOBAL VARIABLES // //******************************************************************** m_runNumberOld = 0; // initialize the event counter m_eventCounter = 0; } //******************************************************************** //******************************************************************** //******************************************************************** // // INITIALIZE // //******************************************************************** //******************************************************************** //******************************************************************** StatusCode FSFilter::initialize() { //******************************************************************** // // CREATE TREES AND SET UP FSINFO OBJECTS // //******************************************************************** // only reconstruct particles if we need to m_findE = false; m_findMu = false; m_findPi = false; m_findK = false; m_findP = false; m_findGamma = false; m_findPi0 = false; m_findEta = false; m_findKs = false; m_findLambda = false; // create trees for each final state and store them in FSInfo objects for(unsigned int i = 0; i < MAXFSNAMES; i++) { if(m_FSNames[i] != "") { // a tree for reconstructed information -- nt[EXC/INC][CODE2]_[CODE1] string ntName("nt"); ntName += m_FSNames[i]; string ntFullName("FILE1/"); ntFullName += ntName; NTupleHelper* nt = new NTupleHelper(ntupleSvc()->book(ntFullName, CLID_ColumnWiseTuple, ntName)); // a tree for generated information -- ntGEN[CODE2]_[CODE1] NTupleHelper* ntgen = NULL; if(m_writeNTGenCode) { string ntGenName("ntGEN"); ntGenName += m_FSNames[i]; if(ntGenName.find("EXC") != string::npos) { ntGenName.erase(ntGenName.find("EXC"), 3); string ntGenFullName("FILE1/"); ntGenFullName += ntGenName; ntgen = new NTupleHelper(ntupleSvc()->book(ntGenFullName, CLID_ColumnWiseTuple, ntGenName)); } } // create an FSFinfo object FSInfo* fsInfo = new FSInfo(m_FSNames[i], nt, ntgen); m_FSInfoVector.push_back(fsInfo); // check to see which particles we need to reconstruct if(fsInfo->hasParticle("e+") || fsInfo->hasParticle("e-")) m_findE = true; if(fsInfo->hasParticle("mu+") || fsInfo->hasParticle("mu-")) m_findMu = true; if(fsInfo->hasParticle("pi+") || fsInfo->hasParticle("pi-")) m_findPi = true; if(fsInfo->hasParticle("K+") || fsInfo->hasParticle("K-")) m_findK = true; if(fsInfo->hasParticle("p+") || fsInfo->hasParticle("p-")) m_findP = true; if(fsInfo->hasParticle("gamma")) m_findGamma = true; if(fsInfo->hasParticle("pi0")) m_findPi0 = true; if(fsInfo->hasParticle("eta")) m_findEta = true; if(fsInfo->hasParticle("Ks")) m_findKs = true; if(fsInfo->hasParticle("Lambda") || fsInfo->hasParticle("ALambda")) m_findLambda = true; } } // a tree for mode-independent generator information -- ntGEN if(m_writeNTGen) { string ntGenName("ntGEN"); string ntGenFullName("FILE1/"); ntGenFullName += ntGenName; m_ntGEN = new NTupleHelper(ntupleSvc()->book(ntGenFullName, CLID_ColumnWiseTuple, ntGenName)); } //******************************************************************** // // CREATE FSCUT OBJECTS // //******************************************************************** for(unsigned int i = 0; i < MAXFSCUTS; i++) { if(m_FSCuts[i] != "") { FSCut* fscut = new FSCut(m_FSCuts[i]); bool found = false; for(unsigned int ifs = 0; ifs < m_FSInfoVector.size(); ifs++) { if(m_FSInfoVector[ifs]->FSName() == fscut->FSName()) { m_FSInfoVector[ifs]->addFSCut(fscut); found = true; break; } } if(!found) { cout << "FSFilter ERROR: could not find a final state for the " << endl; cout << " FSCut with these arguments: " << endl; cout << m_FSCuts[i] << endl; cout << " and final state = " << fscut->FSName() << endl; exit(0); } } } //******************************************************************** // // CREATE FSCONSTRAINT OBJECTS // //******************************************************************** for(unsigned int i = 0; i < MAXFSCONSTRAINTS; i++) { if(m_FSConstraints[i] != "") { FSConstraint* fsconstraint = new FSConstraint(m_FSConstraints[i]); bool found = false; for(unsigned int ifs = 0; ifs < m_FSInfoVector.size(); ifs++) { if(m_FSInfoVector[ifs]->FSName() == fsconstraint->FSName()) { m_FSInfoVector[ifs]->addFSConstraint(fsconstraint); found = true; break; } } if(!found) { cout << "FSFilter ERROR: could not find a final state for the " << endl; cout << " FSConstraint with these arguments: " << endl; cout << m_FSConstraints[i] << endl; cout << " and final state = " << fsconstraint->FSName() << endl; exit(0); } } } //******************************************************************** // // ADD MISSING MASS FITS // //******************************************************************** for(unsigned int i = 0; i < MAXFSMMFITS; i++) { if(m_FSMMFits[i] != "") { vector<string> pars = FSInfo::parseString(m_FSMMFits[i]); if(pars.size() != 2) { cout << "FSFilter ERROR: bad FSMMFit" << i << " parameter: " << m_FSMMFits[i] << endl; exit(0); } bool found = false; for(unsigned int ifs = 0; ifs < m_FSInfoVector.size(); ifs++) { if(m_FSInfoVector[ifs]->FSName() == pars[0]) { m_FSInfoVector[ifs]->setMissingMass(atof(pars[1].c_str())); found = true; break; } } if(!found) { cout << "FSFilter ERROR: could not find a final state for the " << endl; cout << " FSMMFit" << i << " with these arguments: " << endl; cout << m_FSMMFits[i] << endl; exit(0); } } } //******************************************************************** // // PERFORM CHECKS ON THE INPUT AND EXIT IF THERE ARE PROBLEMS // //******************************************************************** // debugging? m_debug = false; if(m_isolateRunLow >= 0 || m_isolateEventLow >= 0 || m_isolateRunHigh >= 0 || m_isolateEventHigh >= 0) { m_debug = true; m_printTruthInformation = true; } // make sure all final states are currently supported //for (unsigned int i = 0; i < m_FSInfoVector.size(); i++){ // FSInfo* fs = m_FSInfoVector[i]; // vector<string> particleNames = fs->particleNames(); // for (unsigned int j = 0; j < particleNames.size(); j++){ // } //} return StatusCode::SUCCESS; } //******************************************************************** //******************************************************************** //******************************************************************** // // EXECUTE // //******************************************************************** //******************************************************************** //******************************************************************** StatusCode FSFilter::execute() { //******************************************************************** // // EXTRACT THE EVENT HEADER AND EVENT INFO FROM THE FRAMEWORK // //******************************************************************** // event header SmartDataPtr<Event::EventHeader> eventHeader(eventSvc(), EventModel::EventHeader); int runNumber = eventHeader->runNumber(); int eventNumber = eventHeader->eventNumber(); m_eventCounter++; if(m_eventCounter % 100 == 0) cout << "event counter (run, event) = " << m_eventCounter << " (" << runNumber << "," << eventNumber << ")" << endl; if(m_debug && ((m_isolateRunLow >= 0 && abs(runNumber) < m_isolateRunLow) || (m_isolateRunHigh >= 0 && abs(runNumber) > m_isolateRunHigh) || (m_isolateEventLow >= 0 && eventNumber < m_isolateEventLow) || (m_isolateEventHigh >= 0 && eventNumber > m_isolateEventHigh))) { return StatusCode::SUCCESS; } if(runNumber > 0) m_yuping = false; // beam energy (still waiting to implement BeamEnergySvc) //IBeamEnergySvc* beamEnergySvc; //Gaudi::svcLocator()->service("BeamEnergySvc",beamEnergySvc); //cout << endl << endl << endl << "TESTING BEAM ENERGY" << endl; //cout << beamEnergySvc->getbeamE() << endl << endl << endl << endl; // BEAM ENERGY if(runNumber != m_runNumberOld) { m_runNumberOld = runNumber; // if input Ecm is greater than zero, use this if(m_cmEnergyParameter > 0) { m_cmEnergy = m_cmEnergyParameter; } // beam energy using MeasuredEcmsSvc (implemented by Dan) // use the database for // 4010 data or 2013 XYZ data or 2014 XYZ data else if(((abs(runNumber) >= 23463) && (abs(runNumber) <= 24141)) || ((abs(runNumber) >= 29677) && (abs(runNumber) <= 33719)) || ((abs(runNumber) >= 35227) && (abs(runNumber) <= 38140))) { IMeasuredEcmsSvc* ecmsSvc; StatusCode status = serviceLocator()->service("MeasuredEcmsSvc", ecmsSvc, true); if(!status.isSuccess()) return status; int sample_name = ecmsSvc->getSampleName(runNumber); double ecms = ecmsSvc->getEcms(runNumber); double ecms_err = ecmsSvc->getEcmsErr(runNumber); double avg_ecms = ecmsSvc->getAveEcms(runNumber); double avg_ecms_err = ecmsSvc->getAveEcmsErr(runNumber); m_cmEnergy = ecms; } // otherwise use hardcoded energies else { // 4010 running if((abs(runNumber) >= 23463) && (abs(runNumber) <= 24141)) { m_cmEnergy = 4.010; } else if((abs(runNumber) >= 24142) && (abs(runNumber) <= 24177)) { m_cmEnergy = 3.686093; } // XYZ before Tsinghua else if((abs(runNumber) >= 29677) && (abs(runNumber) <= 30367)) { m_cmEnergy = 4.260; } else if((abs(runNumber) >= 30372) && (abs(runNumber) <= 30437)) { m_cmEnergy = 4.190; } else if((abs(runNumber) >= 30438) && (abs(runNumber) <= 30491)) { m_cmEnergy = 4.230; } else if((abs(runNumber) >= 30492) && (abs(runNumber) <= 30557)) { m_cmEnergy = 4.310; } else if((abs(runNumber) >= 30616) && (abs(runNumber) <= 31279)) { m_cmEnergy = 4.360; } else if((abs(runNumber) >= 31281) && (abs(runNumber) <= 31325)) { m_cmEnergy = 4.390; } else if((abs(runNumber) >= 31327) && (abs(runNumber) <= 31390)) { m_cmEnergy = 4.420; } // XYZ after Tsinghua else if((abs(runNumber) >= 31561) && (abs(runNumber) <= 31981)) { m_cmEnergy = 4.260; } else if((abs(runNumber) >= 31983) && (abs(runNumber) <= 32045)) { m_cmEnergy = 4.210; } else if((abs(runNumber) >= 32046) && (abs(runNumber) <= 32140)) { m_cmEnergy = 4.220; } else if((abs(runNumber) >= 32141) && (abs(runNumber) <= 32226)) { m_cmEnergy = 4.245; } else if((abs(runNumber) >= 32239) && (abs(runNumber) <= 33484)) { m_cmEnergy = 4.230; } else if((abs(runNumber) >= 33490) && (abs(runNumber) <= 33556)) { m_cmEnergy = 3.810; } else if((abs(runNumber) >= 33571) && (abs(runNumber) <= 33657)) { m_cmEnergy = 3.900; } else if((abs(runNumber) >= 33659) && (abs(runNumber) <= 33719)) { m_cmEnergy = 4.090; } // 2014 XYZ else if((abs(runNumber) >= 35227) && (abs(runNumber) <= 36213)) { m_cmEnergy = 4.600; } else if((abs(runNumber) >= 36245) && (abs(runNumber) <= 36393)) { m_cmEnergy = 4.470; } else if((abs(runNumber) >= 36398) && (abs(runNumber) <= 36588)) { m_cmEnergy = 4.530; } else if((abs(runNumber) >= 36603) && (abs(runNumber) <= 36699)) { m_cmEnergy = 4.575; } else if((abs(runNumber) >= 36773) && (abs(runNumber) <= 38140)) { m_cmEnergy = 4.420; } // J/psi else if((abs(runNumber) >= 9947) && (abs(runNumber) <= 10878)) { m_cmEnergy = 3.097; } //else if ((abs(runNumber) >= 27255) && (abs(runNumber) <= 28236)){ m_cmEnergy = 3.097; } else if((abs(runNumber) >= 27255) && (abs(runNumber) <= 28293)) { m_cmEnergy = 3.097; } // 3650 else if((abs(runNumber) >= 9613) && (abs(runNumber) <= 9779)) { m_cmEnergy = 3.650; } else if((abs(runNumber) >= 33725) && (abs(runNumber) <= 33772)) { m_cmEnergy = 3.650; } // psi(2S) else if((abs(runNumber) >= 8093) && (abs(runNumber) <= 9025)) { m_cmEnergy = 3.686093; } else if((abs(runNumber) >= 25338) && (abs(runNumber) <= 27090)) { m_cmEnergy = 3.686093; } // R SCAN 2014 else if((abs(runNumber) >= 34011) && (abs(runNumber) <= 35118)) { if((abs(runNumber) >= 34011) && (abs(runNumber) <= 34027)) { m_cmEnergy = 3.850; } else if((abs(runNumber) >= 34028) && (abs(runNumber) <= 34036)) { m_cmEnergy = 3.890; } else if((abs(runNumber) >= 34037) && (abs(runNumber) <= 34045)) { m_cmEnergy = 3.895; } else if((abs(runNumber) >= 34046) && (abs(runNumber) <= 34057)) { m_cmEnergy = 3.900; } else if((abs(runNumber) >= 34058) && (abs(runNumber) <= 34068)) { m_cmEnergy = 3.905; } else if((abs(runNumber) >= 34069) && (abs(runNumber) <= 34076)) { m_cmEnergy = 3.910; } else if((abs(runNumber) >= 34077) && (abs(runNumber) <= 34083)) { m_cmEnergy = 3.915; } else if((abs(runNumber) >= 34084) && (abs(runNumber) <= 34090)) { m_cmEnergy = 3.920; } else if((abs(runNumber) >= 34091) && (abs(runNumber) <= 34096)) { m_cmEnergy = 3.925; } else if((abs(runNumber) >= 34097) && (abs(runNumber) <= 34104)) { m_cmEnergy = 3.930; } else if((abs(runNumber) >= 34105) && (abs(runNumber) <= 34117)) { m_cmEnergy = 3.935; } else if((abs(runNumber) >= 34118) && (abs(runNumber) <= 34127)) { m_cmEnergy = 3.940; } else if((abs(runNumber) >= 34128) && (abs(runNumber) <= 34134)) { m_cmEnergy = 3.945; } else if((abs(runNumber) >= 34135) && (abs(runNumber) <= 34141)) { m_cmEnergy = 3.950; } else if((abs(runNumber) >= 34142) && (abs(runNumber) <= 34150)) { m_cmEnergy = 3.955; } else if((abs(runNumber) >= 34151) && (abs(runNumber) <= 34160)) { m_cmEnergy = 3.960; } else if((abs(runNumber) >= 34161) && (abs(runNumber) <= 34167)) { m_cmEnergy = 3.965; } else if((abs(runNumber) >= 34175) && (abs(runNumber) <= 34183)) { m_cmEnergy = 3.970; } else if((abs(runNumber) >= 34184) && (abs(runNumber) <= 34190)) { m_cmEnergy = 3.975; } else if((abs(runNumber) >= 34191) && (abs(runNumber) <= 34196)) { m_cmEnergy = 3.980; } else if((abs(runNumber) >= 34197) && (abs(runNumber) <= 34202)) { m_cmEnergy = 3.985; } else if((abs(runNumber) >= 34203) && (abs(runNumber) <= 34210)) { m_cmEnergy = 3.990; } else if((abs(runNumber) >= 34211) && (abs(runNumber) <= 34220)) { m_cmEnergy = 3.995; } else if((abs(runNumber) >= 34221) && (abs(runNumber) <= 34230)) { m_cmEnergy = 4.000; } else if((abs(runNumber) >= 34231) && (abs(runNumber) <= 34239)) { m_cmEnergy = 4.005; } else if((abs(runNumber) >= 34240) && (abs(runNumber) <= 34245)) { m_cmEnergy = 4.010; } else if((abs(runNumber) >= 34246) && (abs(runNumber) <= 34252)) { m_cmEnergy = 4.012; } else if((abs(runNumber) >= 34253) && (abs(runNumber) <= 34257)) { m_cmEnergy = 4.014; } else if((abs(runNumber) >= 34258) && (abs(runNumber) <= 34265)) { m_cmEnergy = 4.016; } else if((abs(runNumber) >= 34266) && (abs(runNumber) <= 34271)) { m_cmEnergy = 4.018; } else if((abs(runNumber) >= 34272) && (abs(runNumber) <= 34276)) { m_cmEnergy = 4.020; } else if((abs(runNumber) >= 34277) && (abs(runNumber) <= 34281)) { m_cmEnergy = 4.025; } else if((abs(runNumber) >= 34282) && (abs(runNumber) <= 34297)) { m_cmEnergy = 4.030; } else if((abs(runNumber) >= 34314) && (abs(runNumber) <= 34320)) { m_cmEnergy = 4.035; } else if((abs(runNumber) >= 34321) && (abs(runNumber) <= 34327)) { m_cmEnergy = 4.040; } else if((abs(runNumber) >= 34328) && (abs(runNumber) <= 34335)) { m_cmEnergy = 4.050; } else if((abs(runNumber) >= 34339) && (abs(runNumber) <= 34345)) { m_cmEnergy = 4.055; } else if((abs(runNumber) >= 34346) && (abs(runNumber) <= 34350)) { m_cmEnergy = 4.060; } else if((abs(runNumber) >= 34351) && (abs(runNumber) <= 34358)) { m_cmEnergy = 4.065; } else if((abs(runNumber) >= 34359) && (abs(runNumber) <= 34367)) { m_cmEnergy = 4.070; } else if((abs(runNumber) >= 34368) && (abs(runNumber) <= 34373)) { m_cmEnergy = 4.080; } else if((abs(runNumber) >= 34374) && (abs(runNumber) <= 34381)) { m_cmEnergy = 4.090; } else if((abs(runNumber) >= 34382) && (abs(runNumber) <= 34389)) { m_cmEnergy = 4.100; } else if((abs(runNumber) >= 34390) && (abs(runNumber) <= 34396)) { m_cmEnergy = 4.110; } else if((abs(runNumber) >= 34397) && (abs(runNumber) <= 34403)) { m_cmEnergy = 4.120; } else if((abs(runNumber) >= 34404) && (abs(runNumber) <= 34411)) { m_cmEnergy = 4.130; } else if((abs(runNumber) >= 34412) && (abs(runNumber) <= 34417)) { m_cmEnergy = 4.140; } else if((abs(runNumber) >= 34418) && (abs(runNumber) <= 34427)) { m_cmEnergy = 4.145; } else if((abs(runNumber) >= 34428) && (abs(runNumber) <= 34436)) { m_cmEnergy = 4.150; } else if((abs(runNumber) >= 34437) && (abs(runNumber) <= 34446)) { m_cmEnergy = 4.160; } else if((abs(runNumber) >= 34447) && (abs(runNumber) <= 34460)) { m_cmEnergy = 4.170; } else if((abs(runNumber) >= 34478) && (abs(runNumber) <= 34485)) { m_cmEnergy = 4.180; } else if((abs(runNumber) >= 34486) && (abs(runNumber) <= 34493)) { m_cmEnergy = 4.190; } else if((abs(runNumber) >= 34494) && (abs(runNumber) <= 34502)) { m_cmEnergy = 4.195; } else if((abs(runNumber) >= 34503) && (abs(runNumber) <= 34511)) { m_cmEnergy = 4.200; } else if((abs(runNumber) >= 34512) && (abs(runNumber) <= 34526)) { m_cmEnergy = 4.203; } else if((abs(runNumber) >= 34527) && (abs(runNumber) <= 34540)) { m_cmEnergy = 4.206; } else if((abs(runNumber) >= 34541) && (abs(runNumber) <= 34554)) { m_cmEnergy = 4.210; } else if((abs(runNumber) >= 34555) && (abs(runNumber) <= 34563)) { m_cmEnergy = 4.215; } else if((abs(runNumber) >= 34564) && (abs(runNumber) <= 34573)) { m_cmEnergy = 4.220; } else if((abs(runNumber) >= 34574) && (abs(runNumber) <= 34584)) { m_cmEnergy = 4.225; } else if((abs(runNumber) >= 34585) && (abs(runNumber) <= 34592)) { m_cmEnergy = 4.230; } else if((abs(runNumber) >= 34593) && (abs(runNumber) <= 34602)) { m_cmEnergy = 4.235; } else if((abs(runNumber) >= 34603) && (abs(runNumber) <= 34612)) { m_cmEnergy = 4.240; } else if((abs(runNumber) >= 34613) && (abs(runNumber) <= 34622)) { m_cmEnergy = 4.243; } else if((abs(runNumber) >= 34623) && (abs(runNumber) <= 34633)) { m_cmEnergy = 4.245; } else if((abs(runNumber) >= 34634) && (abs(runNumber) <= 34641)) { m_cmEnergy = 4.248; } else if((abs(runNumber) >= 34642) && (abs(runNumber) <= 34651)) { m_cmEnergy = 4.250; } else if((abs(runNumber) >= 34652) && (abs(runNumber) <= 34660)) { m_cmEnergy = 4.255; } else if((abs(runNumber) >= 34661) && (abs(runNumber) <= 34673)) { m_cmEnergy = 4.260; } else if((abs(runNumber) >= 34674) && (abs(runNumber) <= 34684)) { m_cmEnergy = 4.265; } else if((abs(runNumber) >= 34685) && (abs(runNumber) <= 34694)) { m_cmEnergy = 4.270; } else if((abs(runNumber) >= 34695) && (abs(runNumber) <= 34704)) { m_cmEnergy = 4.275; } else if((abs(runNumber) >= 34705) && (abs(runNumber) <= 34718)) { m_cmEnergy = 4.280; } else if((abs(runNumber) >= 34719) && (abs(runNumber) <= 34728)) { m_cmEnergy = 4.285; } else if((abs(runNumber) >= 34729) && (abs(runNumber) <= 34739)) { m_cmEnergy = 4.290; } else if((abs(runNumber) >= 34740) && (abs(runNumber) <= 34753)) { m_cmEnergy = 4.300; } else if((abs(runNumber) >= 34754) && (abs(runNumber) <= 34762)) { m_cmEnergy = 4.310; } else if((abs(runNumber) >= 34763) && (abs(runNumber) <= 34776)) { m_cmEnergy = 4.320; } else if((abs(runNumber) >= 34777) && (abs(runNumber) <= 34784)) { m_cmEnergy = 4.330; } else if((abs(runNumber) >= 34785) && (abs(runNumber) <= 34793)) { m_cmEnergy = 4.340; } else if((abs(runNumber) >= 34794) && (abs(runNumber) <= 34803)) { m_cmEnergy = 4.350; } else if((abs(runNumber) >= 34804) && (abs(runNumber) <= 34811)) { m_cmEnergy = 4.360; } else if((abs(runNumber) >= 34812) && (abs(runNumber) <= 34824)) { m_cmEnergy = 4.370; } else if((abs(runNumber) >= 34825) && (abs(runNumber) <= 34836)) { m_cmEnergy = 4.380; } else if((abs(runNumber) >= 34837) && (abs(runNumber) <= 34847)) { m_cmEnergy = 4.390; } else if((abs(runNumber) >= 34848) && (abs(runNumber) <= 34860)) { m_cmEnergy = 4.395; } else if((abs(runNumber) >= 34861) && (abs(runNumber) <= 34868)) { m_cmEnergy = 4.400; } else if((abs(runNumber) >= 34869) && (abs(runNumber) <= 34881)) { m_cmEnergy = 4.410; } else if((abs(runNumber) >= 34882) && (abs(runNumber) <= 34890)) { m_cmEnergy = 4.420; } else if((abs(runNumber) >= 34891) && (abs(runNumber) <= 34899)) { m_cmEnergy = 4.425; } else if((abs(runNumber) >= 34900) && (abs(runNumber) <= 34912)) { m_cmEnergy = 4.430; } else if((abs(runNumber) >= 34913) && (abs(runNumber) <= 34925)) { m_cmEnergy = 4.440; } else if((abs(runNumber) >= 34926) && (abs(runNumber) <= 34935)) { m_cmEnergy = 4.450; } else if((abs(runNumber) >= 34936) && (abs(runNumber) <= 34946)) { m_cmEnergy = 4.460; } else if((abs(runNumber) >= 34947) && (abs(runNumber) <= 34957)) { m_cmEnergy = 4.480; } else if((abs(runNumber) >= 34958) && (abs(runNumber) <= 34967)) { m_cmEnergy = 4.500; } else if((abs(runNumber) >= 34968) && (abs(runNumber) <= 34981)) { m_cmEnergy = 4.520; } else if((abs(runNumber) >= 34982) && (abs(runNumber) <= 35009)) { m_cmEnergy = 4.540; } else if((abs(runNumber) >= 35010) && (abs(runNumber) <= 35026)) { m_cmEnergy = 4.550; } else if((abs(runNumber) >= 35027) && (abs(runNumber) <= 35040)) { m_cmEnergy = 4.560; } else if((abs(runNumber) >= 35041) && (abs(runNumber) <= 35059)) { m_cmEnergy = 4.570; } else if((abs(runNumber) >= 35060) && (abs(runNumber) <= 35085)) { m_cmEnergy = 4.580; } else if((abs(runNumber) >= 35099) && (abs(runNumber) <= 35118)) { m_cmEnergy = 4.590; } else { return StatusCode::SUCCESS; } } // R SCAN 2015 else if((abs(runNumber) >= 39355) && (abs(runNumber) <= 41958)) { if((abs(runNumber) >= 39355) && (abs(runNumber) <= 39618)) { m_cmEnergy = 3.0800; } else if((abs(runNumber) >= 39711) && (abs(runNumber) <= 39738)) { m_cmEnergy = 3.0200; } else if((abs(runNumber) >= 39680) && (abs(runNumber) <= 39710)) { m_cmEnergy = 3.0000; } else if((abs(runNumber) >= 39651) && (abs(runNumber) <= 39679)) { m_cmEnergy = 2.9810; } else if((abs(runNumber) >= 39619) && (abs(runNumber) <= 39650)) { m_cmEnergy = 2.9500; } else if((abs(runNumber) >= 39775) && (abs(runNumber) <= 40069)) { m_cmEnergy = 2.9000; } else if((abs(runNumber) >= 40128) && (abs(runNumber) <= 40296)) { m_cmEnergy = 2.6444; } else if((abs(runNumber) >= 40300) && (abs(runNumber) <= 40435)) { m_cmEnergy = 2.6464; } else if((abs(runNumber) >= 40436) && (abs(runNumber) <= 40439)) { m_cmEnergy = 2.7000; } else if((abs(runNumber) >= 40440) && (abs(runNumber) <= 40443)) { m_cmEnergy = 2.8000; } else if((abs(runNumber) >= 40459) && (abs(runNumber) <= 40769)) { m_cmEnergy = 2.3960; } else if((abs(runNumber) >= 40771) && (abs(runNumber) <= 40776)) { m_cmEnergy = 2.5000; } else if((abs(runNumber) >= 40806) && (abs(runNumber) <= 40951)) { m_cmEnergy = 2.3864; } else if((abs(runNumber) >= 40989) && (abs(runNumber) <= 41121)) { m_cmEnergy = 2.2000; } else if((abs(runNumber) >= 41122) && (abs(runNumber) <= 41239)) { m_cmEnergy = 2.2324; } else if((abs(runNumber) >= 41240) && (abs(runNumber) <= 41411)) { m_cmEnergy = 2.3094; } else if((abs(runNumber) >= 41416) && (abs(runNumber) <= 41532)) { m_cmEnergy = 2.1750; } else if((abs(runNumber) >= 41533) && (abs(runNumber) <= 41570)) { m_cmEnergy = 2.1500; } else if((abs(runNumber) >= 41588) && (abs(runNumber) <= 41727)) { m_cmEnergy = 2.1000; } else if((abs(runNumber) >= 41729) && (abs(runNumber) <= 41909)) { m_cmEnergy = 2.0000; } else if((abs(runNumber) >= 41911) && (abs(runNumber) <= 41958)) { m_cmEnergy = 2.0500; } else { return StatusCode::SUCCESS; } } // Y(2175) 2015 else if((abs(runNumber) >= 42004) && (abs(runNumber) <= 43253)) { m_cmEnergy = 2.125; } // 4180 from 2016 (probably should use database eventually) else if((abs(runNumber) >= 43716) && (abs(runNumber) <= 47066)) { m_cmEnergy = 4.180; } // 2017 data else if((abs(runNumber) >= 47543) && (abs(runNumber) <= 48170)) { m_cmEnergy = 4.190; } else if((abs(runNumber) >= 48171) && (abs(runNumber) <= 48713)) { m_cmEnergy = 4.200; } else if((abs(runNumber) >= 48714) && (abs(runNumber) <= 49239)) { m_cmEnergy = 4.210; } else if((abs(runNumber) >= 49270) && (abs(runNumber) <= 49787)) { m_cmEnergy = 4.220; } else if((abs(runNumber) >= 49788) && (abs(runNumber) <= 50254)) { m_cmEnergy = 4.237; } else if((abs(runNumber) >= 50255) && (abs(runNumber) <= 50793)) { m_cmEnergy = 4.246; } else if((abs(runNumber) >= 50796) && (abs(runNumber) <= 51302)) { m_cmEnergy = 4.270; } else if((abs(runNumber) >= 51303) && (abs(runNumber) <= 60000)) { m_cmEnergy = 4.280; } else { cout << "FSFILTER ERROR: could not determine the beam energy for run " << runNumber << endl; exit(0); } } } double mpsi = m_cmEnergy; double me = 0.000511; double costheta = cos(m_crossingAngle); double tantheta = tan(m_crossingAngle); double epsilon = 4.0 * me * me / mpsi / mpsi; m_pInitial = HepLorentzVector(mpsi * tantheta * sqrt(1.0 - epsilon), 0.0, 0.0, mpsi / costheta * sqrt(1.0 - epsilon * (1 - costheta * costheta))); //double beamEnergy = m_pInitial.e()/2.0; // event information SmartDataPtr<EvtRecEvent> evtRecEvent(eventSvc(), EventModel::EvtRec::EvtRecEvent); if(m_debug) { cout << "\tRun = " << runNumber << endl; cout << "\tEvent = " << eventNumber << endl; cout << "\tNTracks = " << evtRecEvent->totalCharged() << endl; cout << "\tNShowers = " << evtRecEvent->totalNeutral() << endl; } //******************************************************************** // // PARSE TRUTH INFORMATION AND WRITE TO THE GENERATOR TREES // //******************************************************************** if(runNumber < 0) { // extract truth information from the framework and set up a MCTruthHelper object SmartDataPtr<Event::McParticleCol> mcParticleCol(eventSvc(), EventModel::MC::McParticleCol); m_mcTruthHelper = new MCTruthHelper(mcParticleCol); if(m_mcTruthHelper->MCParticleList().size() == 0) { delete m_mcTruthHelper; return StatusCode::SUCCESS; } if(m_printTruthInformation) { m_mcTruthHelper->printInformation(); } // write to the mode-independent generator tree if(m_writeNTGen) { m_ntGEN->fillEvent(eventHeader, evtRecEvent, m_pInitial.e()); m_ntGEN->fillMCTruth(m_mcTruthHelper); m_ntGEN->write(); } // write to the mode-dependent generator trees if(m_writeNTGenCode) { for(unsigned int ifs = 0; ifs < m_FSInfoVector.size(); ifs++) { FSInfo* fs = m_FSInfoVector[ifs]; if(fs->exclusive() && (m_mcTruthHelper->MCDecayCode1() == fs->decayCode1()) && (m_mcTruthHelper->MCDecayCode2() == fs->decayCode2()) && (m_mcTruthHelper->MCExtras() == 0)) { NTupleHelper* nt = fs->NTGen(); nt->fillEvent(eventHeader, evtRecEvent, m_pInitial.e()); nt->fillMCTruth(m_mcTruthHelper, fs, ""); nt->fillMCTruth(m_mcTruthHelper, fs); nt->write(); } } } // does this generated event make sense??? double mcTotalEnergyInitial = m_mcTruthHelper->MCTotalEnergyInitial(); double mcTotalEnergyFinal = m_mcTruthHelper->MCTotalEnergyFinal(); if((mcTotalEnergyFinal > 1.1 * m_pInitial.e() && abs(2.0 * m_pInitial.e() - mcTotalEnergyFinal) > 0.1) || (abs(mcTotalEnergyInitial - mcTotalEnergyFinal) > 0.2)) { cout << "FSFilter WARNING for Truth Parsing" << endl; cout << "RUN NUMBER = " << runNumber << endl; cout << "EVENT NUMBER = " << eventNumber << endl; cout << "FLAG 1 = " << eventHeader->flag1() << endl; cout << "FLAG 2 = " << eventHeader->flag2() << endl; m_mcTruthHelper->printInformation(); } } // track collection SmartDataPtr<EvtRecTrackCol> evtRecTrackCol(eventSvc(), EventModel::EvtRec::EvtRecTrackCol); //******************************************************************** // // MAKE INITIAL REQUIREMENTS TO SPEED PROCESSING // //******************************************************************** // check the total number of showers if(evtRecEvent->totalNeutral() > m_maxShowers) return StatusCode::SUCCESS; // do a quick check to see if there is a J/psi candidate if(m_fastJpsi) { bool okay = false; vector<FSParticle*> mupList; vector<FSParticle*> mumList; vector<FSParticle*> epList; vector<FSParticle*> emList; int trackIndex = -1; for(EvtRecTrackIterator iTrk = evtRecTrackCol->begin(); iTrk != evtRecTrackCol->end(); iTrk++) { trackIndex++; if((*iTrk)->isMdcKalTrackValid()) { RecMdcKalTrack* mdcKalTrack = (*iTrk)->mdcKalTrack(); if(mdcKalTrack->charge() > 0) epList.push_back(new FSParticle(*iTrk, trackIndex, "e+", m_yuping)); if(mdcKalTrack->charge() < 0) emList.push_back(new FSParticle(*iTrk, trackIndex, "e-", m_yuping)); if(mdcKalTrack->charge() > 0) mupList.push_back(new FSParticle(*iTrk, trackIndex, "mu+", m_yuping)); if(mdcKalTrack->charge() < 0) mumList.push_back(new FSParticle(*iTrk, trackIndex, "mu-", m_yuping)); } } for(unsigned int ip = 0; ip < epList.size() && !okay; ip++) { for(unsigned int im = 0; im < emList.size() && !okay; im++) { if(fabs((epList[ip]->rawFourMomentum() + emList[im]->rawFourMomentum()).m() - 3.1) < 0.6) okay = true; } } for(unsigned int ip = 0; ip < mupList.size() && !okay; ip++) { for(unsigned int im = 0; im < mumList.size() && !okay; im++) { if(fabs((mupList[ip]->rawFourMomentum() + mumList[im]->rawFourMomentum()).m() - 3.1) < 0.6) okay = true; } } for(unsigned int i = 0; i < epList.size(); i++) { delete epList[i]; } for(unsigned int i = 0; i < emList.size(); i++) { delete emList[i]; } for(unsigned int i = 0; i < mupList.size(); i++) { delete mupList[i]; } for(unsigned int i = 0; i < mumList.size(); i++) { delete mumList[i]; } if(!okay) return StatusCode::SUCCESS; } //******************************************************************** // // EXTRACT MORE INFORMATION FROM THE FRAMEWORK // //******************************************************************** // pi0 --> gamma gamma SmartDataPtr<EvtRecPi0Col> evtRecPi0Col(eventSvc(), EventModel::EvtRec::EvtRecPi0Col); // eta --> gamma gamma SmartDataPtr<EvtRecEtaToGGCol> evtRecEtaToGGCol(eventSvc(), EventModel::EvtRec::EvtRecEtaToGGCol); // Ks --> pi+ pi- and Lambda --> p+ pi- and ALambda --> p- pi+ SmartDataPtr<EvtRecVeeVertexCol> evtRecVeeVertexCol(eventSvc(), EventModel::EvtRec::EvtRecVeeVertexCol); // beam spot VertexParameter beamSpot; HepPoint3D vBeamSpot(0., 0., 0.); HepSymMatrix evBeamSpot(3, 0); if(!m_bypassVertexDB) { IVertexDbSvc* vtxsvc; Gaudi::svcLocator()->service("VertexDbSvc", vtxsvc); if(vtxsvc->isVertexValid()) { double* dbv = vtxsvc->PrimaryVertex(); double* vv = vtxsvc->SigmaPrimaryVertex(); for(unsigned int ivx = 0; ivx < 3; ivx++) { vBeamSpot[ivx] = dbv[ivx]; evBeamSpot[ivx][ivx] = vv[ivx] * vv[ivx]; } } else { cout << "FSFILTER ERROR: Could not find a vertex from VertexDbSvc" << endl; exit(0); } } beamSpot.setVx(vBeamSpot); beamSpot.setEvx(evBeamSpot); //******************************************************************** // // CREATE LISTS OF PARTICLES // //******************************************************************** vector<FSParticle*> lambdaList; vector<FSParticle*> alambdaList; vector<FSParticle*> mupList; vector<FSParticle*> mumList; vector<FSParticle*> epList; vector<FSParticle*> emList; vector<FSParticle*> ppList; vector<FSParticle*> pmList; vector<FSParticle*> etaList; vector<FSParticle*> gammaList; vector<FSParticle*> kpList; vector<FSParticle*> kmList; vector<FSParticle*> ksList; vector<FSParticle*> pipList; vector<FSParticle*> pimList; vector<FSParticle*> pi0List; // loop over the "track" collection int trackIndex = -1; for(EvtRecTrackIterator iTrk = evtRecTrackCol->begin(); iTrk != evtRecTrackCol->end(); iTrk++) { trackIndex++; // get photons if(m_findGamma) { if((*iTrk)->isEmcShowerValid()) { RecEmcShower* emcShower = (*iTrk)->emcShower(); if(((emcShower->energy() > 0.025) && (emcShower->time() > 0) && (emcShower->time() < 14) && (((abs(cos(emcShower->theta())) < 0.80) && (emcShower->energy() > 0.025)) || ((abs(cos(emcShower->theta())) < 0.92) && (abs(cos(emcShower->theta())) > 0.86) && (emcShower->energy() > 0.050)))) || m_neutralStudies) { gammaList.push_back(new FSParticle(*iTrk, "gamma")); } } } // get tracks if(((m_findPi) || (m_findK) || (m_findP) || (m_findE) || (m_findMu)) && (*iTrk)->isMdcKalTrackValid()) { RecMdcKalTrack* mdcKalTrack = (*iTrk)->mdcKalTrack(); // set up pid (but only make very rough pid cuts) ParticleID* pid = ParticleID::instance(); pid->init(); pid->setMethod(pid->methodProbability()); pid->setRecTrack(*iTrk); pid->usePidSys(pid->useDedx() | pid->useTof1() | pid->useTof2()); pid->identify(pid->onlyPion() | pid->onlyKaon() | pid->onlyProton() | pid->onlyElectron() | pid->onlyMuon()); pid->calculate(); // get pions if(m_findPi) { if((pid->IsPidInfoValid() && pid->probPion() > 1.0e-5) || m_trackStudies) { if(mdcKalTrack->charge() > 0) pipList.push_back(new FSParticle(*iTrk, trackIndex, "pi+", m_yuping)); if(mdcKalTrack->charge() < 0) pimList.push_back(new FSParticle(*iTrk, trackIndex, "pi-", m_yuping)); } } // get kaons if(m_findK) { if((pid->IsPidInfoValid() && pid->probKaon() > 1.0e-5) || m_trackStudies) { if((!m_extraKaonPID) || (pid->IsPidInfoValid() && (pid->probKaon() > 1.0e-5) && (pid->probKaon() > pid->probPion()))) { if(mdcKalTrack->charge() > 0) kpList.push_back(new FSParticle(*iTrk, trackIndex, "K+", m_yuping)); if(mdcKalTrack->charge() < 0) kmList.push_back(new FSParticle(*iTrk, trackIndex, "K-", m_yuping)); } } } // get protons if(m_findP) { if((pid->IsPidInfoValid() && pid->probProton() > 1.0e-5) || m_trackStudies) { if(mdcKalTrack->charge() > 0) ppList.push_back(new FSParticle(*iTrk, trackIndex, "p+", m_yuping)); if(mdcKalTrack->charge() < 0) pmList.push_back(new FSParticle(*iTrk, trackIndex, "p-", m_yuping)); } } // get electrons if(m_findE) { if((pid->IsPidInfoValid() && pid->probElectron() > 1.0e-5) || m_trackStudies) { if(mdcKalTrack->charge() > 0) epList.push_back(new FSParticle(*iTrk, trackIndex, "e+", m_yuping)); if(mdcKalTrack->charge() < 0) emList.push_back(new FSParticle(*iTrk, trackIndex, "e-", m_yuping)); } } // get muons if(m_findMu) { if((pid->IsPidInfoValid() && pid->probMuon() > 1.0e-5) || m_trackStudies) { if(mdcKalTrack->charge() > 0) mupList.push_back(new FSParticle(*iTrk, trackIndex, "mu+", m_yuping)); if(mdcKalTrack->charge() < 0) mumList.push_back(new FSParticle(*iTrk, trackIndex, "mu-", m_yuping)); } } } } // get etas if(m_findEta) { for(EvtRecEtaToGGCol::iterator iEta = evtRecEtaToGGCol->begin(); iEta != evtRecEtaToGGCol->end(); iEta++) { if((((*iEta)->chisq() < 2500) && ((*iEta)->unconMass() > 0.40) && ((*iEta)->unconMass() < 0.70)) || m_etaStudies) { EvtRecTrack* lo = const_cast<EvtRecTrack*>((*iEta)->loEnGamma()); RecEmcShower* loShower = lo->emcShower(); if(((loShower->energy() > 0.025) && (loShower->time() > 0) && (loShower->time() < 14) && (((abs(cos(loShower->theta())) < 0.80) && (loShower->energy() > 0.025)) || ((abs(cos(loShower->theta())) < 0.92) && (abs(cos(loShower->theta())) > 0.86) && (loShower->energy() > 0.050)))) || m_neutralStudies) { EvtRecTrack* hi = const_cast<EvtRecTrack*>((*iEta)->hiEnGamma()); RecEmcShower* hiShower = hi->emcShower(); if(((hiShower->energy() > 0.025) && (hiShower->time() > 0) && (hiShower->time() < 14) && (((abs(cos(hiShower->theta())) < 0.80) && (hiShower->energy() > 0.025)) || ((abs(cos(hiShower->theta())) < 0.92) && (abs(cos(hiShower->theta())) > 0.86) && (hiShower->energy() > 0.050)))) || m_neutralStudies) { etaList.push_back(new FSParticle(*iEta, "eta")); } } } } } // get pi0s //if (m_findPi0){ for(EvtRecPi0Col::iterator iPi0 = evtRecPi0Col->begin(); iPi0 != evtRecPi0Col->end(); iPi0++) { if((((*iPi0)->chisq() < 2500) && ((*iPi0)->unconMass() > 0.107) && ((*iPi0)->unconMass() < 0.163)) || m_pi0Studies) { EvtRecTrack* lo = const_cast<EvtRecTrack*>((*iPi0)->loEnGamma()); RecEmcShower* loShower = lo->emcShower(); if(((loShower->energy() > 0.025) && (loShower->time() > 0) && (loShower->time() < 14) && (((abs(cos(loShower->theta())) < 0.80) && (loShower->energy() > 0.025)) || ((abs(cos(loShower->theta())) < 0.92) && (abs(cos(loShower->theta())) > 0.86) && (loShower->energy() > 0.050)))) || m_neutralStudies) { EvtRecTrack* hi = const_cast<EvtRecTrack*>((*iPi0)->hiEnGamma()); RecEmcShower* hiShower = hi->emcShower(); if(((hiShower->energy() > 0.025) && (hiShower->time() > 0) && (hiShower->time() < 14) && (((abs(cos(hiShower->theta())) < 0.80) && (hiShower->energy() > 0.025)) || ((abs(cos(hiShower->theta())) < 0.92) && (abs(cos(hiShower->theta())) > 0.86) && (hiShower->energy() > 0.050)))) || m_neutralStudies) { pi0List.push_back(new FSParticle(*iPi0, "pi0")); } } } } //} // get kshorts // [[ vertexId is the pdgID ]] if(m_findKs) { for(EvtRecVeeVertexCol::iterator iKs = evtRecVeeVertexCol->begin(); iKs != evtRecVeeVertexCol->end(); iKs++) { if((*iKs)->vertexId() == 310) { if((((*iKs)->mass() > 0.471) && ((*iKs)->mass() < 0.524) && ((*iKs)->chi2() < 100)) || m_veeStudies) { ksList.push_back(new FSParticle(*iKs, "Ks")); } } } } // get Lambdas if(m_findLambda) { for(EvtRecVeeVertexCol::iterator iL = evtRecVeeVertexCol->begin(); iL != evtRecVeeVertexCol->end(); iL++) { if((*iL)->vertexId() == 3122) { if((((*iL)->mass() > 1.100) && ((*iL)->mass() < 1.130) && ((*iL)->chi2() < 100)) || m_veeStudies) { lambdaList.push_back(new FSParticle(*iL, "Lambda")); } } if((*iL)->vertexId() == -3122) { if((((*iL)->mass() > 1.100) && ((*iL)->mass() < 1.130) && ((*iL)->chi2() < 100)) || m_veeStudies) { alambdaList.push_back(new FSParticle(*iL, "ALambda")); } } } } //******************************************************************** // // LOOP OVER FINAL STATES // //******************************************************************** for(unsigned int ifs = 0; ifs < m_FSInfoVector.size(); ifs++) { // get information about this final state FSInfo* fsinfo = m_FSInfoVector[ifs]; vector<string> particleNames = fsinfo->particleNames(); NTupleHelper* NT = fsinfo->NT(); if(m_debug) { cout << "\t\tFINAL STATE = " << fsinfo->FSName() << endl; } // check number of tracks if(fsinfo->exclusive()) { if(evtRecEvent->totalCharged() > fsinfo->nChargedParticles() + m_maxExtraTracks) continue; if(evtRecEvent->totalCharged() < fsinfo->nChargedParticles()) continue; } //******************************************************************** // // PUT TOGETHER ALL COMBINATIONS OF PARTICLES FOR THIS FINAL STATE // //******************************************************************** vector<vector<FSParticle*> > particleCombinations; for(unsigned int ifsp = 0; ifsp < particleNames.size(); ifsp++) { vector<FSParticle*> pList; if(particleNames[ifsp] == "Lambda") pList = lambdaList; else if(particleNames[ifsp] == "ALambda") pList = alambdaList; else if(particleNames[ifsp] == "mu+") pList = mupList; else if(particleNames[ifsp] == "mu-") pList = mumList; else if(particleNames[ifsp] == "e+") pList = epList; else if(particleNames[ifsp] == "e-") pList = emList; else if(particleNames[ifsp] == "p+") pList = ppList; else if(particleNames[ifsp] == "p-") pList = pmList; else if(particleNames[ifsp] == "eta") pList = etaList; else if(particleNames[ifsp] == "gamma") pList = gammaList; else if(particleNames[ifsp] == "K+") pList = kpList; else if(particleNames[ifsp] == "K-") pList = kmList; else if(particleNames[ifsp] == "Ks") pList = ksList; else if(particleNames[ifsp] == "pi+") pList = pipList; else if(particleNames[ifsp] == "pi-") pList = pimList; else if(particleNames[ifsp] == "pi0") pList = pi0List; vector<vector<FSParticle*> > particleCombinationsTemp = particleCombinations; particleCombinations.clear(); if(pList.size() == 0) break; for(unsigned int ipl = 0; ipl < pList.size(); ipl++) { if(ifsp == 0) { vector<FSParticle*> combo; combo.push_back(pList[ipl]); if(checkCombination(combo, (combo.size() == particleNames.size()), fsinfo->inclusive())) particleCombinations.push_back(combo); } else { for(unsigned int itc = 0; itc < particleCombinationsTemp.size(); itc++) { vector<FSParticle*> combo = particleCombinationsTemp[itc]; bool duplicate = false; for(unsigned int ic = 0; ic < combo.size(); ic++) { if(pList[ipl]->duplicate(combo[ic])) { duplicate = true; continue; } } if(!duplicate) { combo.push_back(pList[ipl]); if(checkCombination(combo, (combo.size() == particleNames.size()), fsinfo->inclusive())) particleCombinations.push_back(combo); if(particleCombinations.size() > 1000000) break; } } } if(particleCombinations.size() > 1000000) break; } if(particleCombinations.size() > 1000000) break; } fsinfo->setParticleCombinations(particleCombinations); if(m_debug) { cout << "\t\t\t\tnumber of combinations = " << fsinfo->particleCombinations().size() << endl; } // skip events with an unreasonable number of combinations if(fsinfo->particleCombinations().size() > 1000000) { cout << "FSFilter WARNING: MORE THAN 1 MILLION COMBINATIONS, SKIPPING..." << endl; cout << "\tRun = " << runNumber; cout << ", Event = " << eventNumber; cout << ", NTracks = " << evtRecEvent->totalCharged(); cout << ", NShowers = " << evtRecEvent->totalNeutral() << endl; cout << "\t\tFINAL STATE = " << fsinfo->FSName() << endl; continue; } //******************************************************************** // // LOOP OVER PARTICLE COMBINATIONS // //******************************************************************** for(unsigned int i = 0; i < fsinfo->particleCombinations().size(); i++) { vector<FSParticle*> combo = fsinfo->particleCombinations()[i]; //******************************************************************** // // MAKE CUTS ON INTERMEDIATE PARTICLE COMBINATIONS (RAW 4-VECTORS) // //******************************************************************** if(!(fsinfo->evaluateFSCuts(combo, m_pInitial, "Raw"))) continue; //******************************************************************** // // DO THE PRIMARY VERTEX FITTING // //******************************************************************** // set up for a primary vertex fit VertexFit* vtxfit = VertexFit::instance(); vtxfit->init(); VertexParameter primaryVertex(beamSpot); double primaryVertex_chisq = -1.0; // set up a helper vertex with large errors VertexParameter wideVertex; HepPoint3D vWideVertex(0., 0., 0.); HepSymMatrix evWideVertex(3, 0); evWideVertex[0][0] = 1.0e12; evWideVertex[1][1] = 1.0e12; evWideVertex[2][2] = 1.0e12; wideVertex.setVx(vWideVertex); wideVertex.setEvx(evWideVertex); // only do the vertex fit if there are at least two tracks // coming from the primary; otherwise primaryVertex will // contain the beamSpot bool doVertexFit = false; int vtxFitTrack = 0; for(unsigned int j = 0; j < combo.size(); j++) { FSParticle* fsp = combo[j]; if(fsp->track()) vtxFitTrack++; } if(vtxFitTrack >= 2) doVertexFit = true; //if (m_bypassVertexDB) doVertexFit = false; if(doVertexFit) { // add tracks that come from the primary vtxFitTrack = 0; vector<int> vtxList; for(unsigned int j = 0; j < combo.size(); j++) { FSParticle* fsp = combo[j]; if(fsp->track()) { vtxList.push_back(vtxFitTrack); vtxfit->AddTrack(vtxFitTrack++, fsp->initialWTrack()); } } // add the initial vertex with large errors vtxfit->AddVertex(0, wideVertex, vtxList); // do the fit if(!vtxfit->Fit(0)) continue; vtxfit->Swim(0); if(vtxfit->chisq(0) != vtxfit->chisq(0)) continue; // save track parameters after the vertex fit vtxFitTrack = 0; for(unsigned int j = 0; j < combo.size(); j++) { FSParticle* fsp = combo[j]; if(fsp->track()) fsp->setVertexFitWTrack(vtxfit->wtrk(vtxFitTrack++)); } // save the primary vertex primaryVertex.setVx(vtxfit->Vx(0)); primaryVertex.setEvx(vtxfit->Evx(0)); primaryVertex_chisq = vtxfit->chisq(0); } //******************************************************************** // // DO THE SECONDARY VERTEX FITTING // //******************************************************************** // loop over secondary vertices for(unsigned int j = 0; j < combo.size(); j++) { if(combo[j]->vee()) { FSParticle* fsp = combo[j]; // initialize a vertex fit for Ks --> pi+ pi- // or Lambda --> p+ pi- or ALambda --> p- pi+ VertexFit* vtxfit2 = VertexFit::instance(); vtxfit2->init(); // add the daughters vtxfit2->AddTrack(0, fsp->veeInitialWTrack1()); vtxfit2->AddTrack(1, fsp->veeInitialWTrack2()); // add an initial vertex with large errors vtxfit2->AddVertex(0, wideVertex, 0, 1); // do the fit vtxfit2->Fit(0); vtxfit2->Swim(0); vtxfit2->BuildVirtualParticle(0); // now initialize a second vertex fit SecondVertexFit* svtxfit = SecondVertexFit::instance(); svtxfit->init(); // add the primary vertex svtxfit->setPrimaryVertex(primaryVertex); // add the secondary vertex svtxfit->setVpar(vtxfit2->vpar(0)); // add the Ks or lambda svtxfit->AddTrack(0, vtxfit2->wVirtualTrack(0)); // do the second vertex fit svtxfit->Fit(); // save the new ks parameters fsp->setVeeVertexFitWTrack1(vtxfit2->wtrk(0)); fsp->setVeeVertexFitWTrack2(vtxfit2->wtrk(1)); fsp->setVeeVertexFitWTrack(svtxfit->wpar()); fsp->setVeeLSigma(0.0); if(svtxfit->decayLengthError() != 0.0) fsp->setVeeLSigma(svtxfit->decayLength() / svtxfit->decayLengthError()); fsp->setVeeSigma(svtxfit->decayLengthError()); fsp->setVee2ndChi2(svtxfit->chisq()); fsp->setVeeVertex(svtxfit->vpar().vx()); } } //******************************************************************** // // SAVE INTERMEDIATE 4-VECTORS // //******************************************************************** for(unsigned int j = 0; j < combo.size(); j++) { FSParticle* fsp = combo[j]; if(fsp->shower()) { fsp->setIntFourMomentum(fsp->rawFourMomentum()); } if(fsp->track()) { fsp->setIntFourMomentum(fsp->vertexFitWTrack().p()); } if(fsp->pi0()) { fsp->setIntFourMomentum(fsp->pi0()->loPfit() + fsp->pi0()->hiPfit()); fsp->setIntFourMomentumA(fsp->pi0()->loPfit()); fsp->setIntFourMomentumB(fsp->pi0()->hiPfit()); } if(fsp->eta()) { fsp->setIntFourMomentum(fsp->eta()->loPfit() + fsp->eta()->hiPfit()); fsp->setIntFourMomentumA(fsp->eta()->loPfit()); fsp->setIntFourMomentumB(fsp->eta()->hiPfit()); } if(fsp->vee()) { fsp->setIntFourMomentum(fsp->veeVertexFitWTrack().p()); fsp->setIntFourMomentumA(fsp->veeVertexFitWTrack1().p()); fsp->setIntFourMomentumB(fsp->veeVertexFitWTrack2().p()); } } //******************************************************************** // // MAKE CUTS ON INTERMEDIATE PARTICLE COMBINATIONS (INT 4-VECTORS) // //******************************************************************** if(!(fsinfo->evaluateFSCuts(combo, m_pInitial, "Int"))) continue; //******************************************************************** // // DO THE KINEMATIC FITTING // //******************************************************************** // initialize KalmanKinematicFit* kmfit = KalmanKinematicFit::instance(); //KinematicFit* kmfit = KinematicFit::instance(); kmfit->init(); // add the beam spot or the vertex or anything?? if(!m_bypassVertexDB) { kmfit->setBeamPosition(beamSpot.vx()); kmfit->setVBeamPosition(beamSpot.Evx()); } // add final state particles int kinFitTrack = 0; map<int, int> combo2kinFitTrack; int kinFitConstraint = 0; int kinFitDOF = 0; for(unsigned int j = 0; j < combo.size(); j++) { FSParticle* fsp = combo[j]; combo2kinFitTrack[j] = kinFitTrack; if(fsp->shower()) { kmfit->AddTrack(kinFitTrack++, 0.0, fsp->shower()->emcShower()); } if(fsp->track()) { kmfit->AddTrack(kinFitTrack++, fsp->vertexFitWTrack()); } if(fsp->pi0()) { kmfit->AddTrack(kinFitTrack++, 0.0, fsp->pi0Lo()->emcShower()); kmfit->AddTrack(kinFitTrack++, 0.0, fsp->pi0Hi()->emcShower()); kmfit->AddResonance(kinFitConstraint++, fsp->mass(), kinFitTrack - 2, kinFitTrack - 1); kinFitDOF++; } if(fsp->eta()) { kmfit->AddTrack(kinFitTrack++, 0.0, fsp->etaLo()->emcShower()); kmfit->AddTrack(kinFitTrack++, 0.0, fsp->etaHi()->emcShower()); kmfit->AddResonance(kinFitConstraint++, fsp->mass(), kinFitTrack - 2, kinFitTrack - 1); kinFitDOF++; } if(fsp->vee()) { kmfit->AddTrack(kinFitTrack++, fsp->veeVertexFitWTrack1()); kmfit->AddTrack(kinFitTrack++, fsp->veeVertexFitWTrack2()); kmfit->AddResonance(kinFitConstraint++, fsp->mass(), kinFitTrack - 2, kinFitTrack - 1); //kmfit->AddTrack(kinFitTrack++,fsp->veeVertexFitWTrack()); kinFitDOF++; } } // add the initial four momentum if(fsinfo->exclusive()) { kmfit->AddFourMomentum(kinFitConstraint++, m_pInitial); kinFitDOF += 4; } // add missing mass if(fsinfo->inclusive() && fsinfo->missingMassFit()) { kmfit->AddMissTrack(kinFitTrack++, fsinfo->missingMassValue()); kmfit->AddFourMomentum(kinFitConstraint++, m_pInitial); kinFitDOF += 1; } // do the fit and make a very loose cut on the resulting chi2 double saveFitChi2 = 0.0; double saveFitDOF = 0.0; if(kinFitConstraint > 0) { kmfit->setChisqCut(m_maxChi2DOF * kinFitDOF); if(!kmfit->Fit()) continue; if(kmfit->chisq() / kinFitDOF > m_maxChi2DOF || kmfit->chisq() < 0) continue; saveFitChi2 = kmfit->chisq(); saveFitDOF = kinFitDOF; } //******************************************************************** // // SAVE KINEMATIC FIT 4-VECTORS // //******************************************************************** if(kinFitConstraint > 0) { kinFitTrack = 0; for(unsigned int j = 0; j < combo.size(); j++) { FSParticle* fsp = combo[j]; if(fsp->shower() || fsp->track()) { fsp->setFitFourMomentum(kmfit->pfit(kinFitTrack++)); } if(fsp->pi0() || fsp->eta() || fsp->vee()) { fsp->setFitFourMomentum(kmfit->pfit(kinFitTrack++) + kmfit->pfit(kinFitTrack++)); fsp->setFitFourMomentumA(kmfit->pfit(kinFitTrack - 2)); fsp->setFitFourMomentumB(kmfit->pfit(kinFitTrack - 1)); } } } //******************************************************************** // // MAKE CUTS ON INTERMEDIATE PARTICLE COMBINATIONS (FIT 4-VECTORS) // //******************************************************************** if(!(fsinfo->evaluateFSCuts(combo, m_pInitial, "Fit"))) continue; //******************************************************************** // // ADD ONE MORE LAYER OF CONSTRAINTS [EXT for EXTRA] // //******************************************************************** // add additional constraints vector<FSConstraint*> constraints = fsinfo->getFSConstraints(); for(unsigned int ic = 0; ic < constraints.size(); ic++) { FSConstraint* constraint = constraints[ic]; vector<vector<unsigned int> > indicesAll = fsinfo->submodeIndices(constraint->submodeName()); vector<unsigned int> indices = indicesAll[0]; if(indicesAll.size() > 1) { double dBest = 1.0e10; int iBest = 0; for(unsigned int iA = 0; iA < indicesAll.size(); iA++) { vector<unsigned int> indicesTest = indicesAll[iA]; HepLorentzVector pTest(0.0, 0.0, 0.0, 0.0); for(unsigned int iT = 0; iT < indicesTest.size(); iT++) { pTest += combo[indicesTest[iT]]->rawFourMomentum(); } double dTest = fabs(pTest.m() - constraint->constraintValue()); if(dTest < dBest) { dBest = dTest; iBest = iA; } } indices = indicesAll[iBest]; } if(indices.size() == 2) kmfit->AddResonance(kinFitConstraint++, constraint->constraintValue(), combo2kinFitTrack[indices[0]], combo2kinFitTrack[indices[1]]); if(indices.size() == 3) kmfit->AddResonance(kinFitConstraint++, constraint->constraintValue(), combo2kinFitTrack[indices[0]], combo2kinFitTrack[indices[1]], combo2kinFitTrack[indices[2]]); if(indices.size() == 4) kmfit->AddResonance(kinFitConstraint++, constraint->constraintValue(), combo2kinFitTrack[indices[0]], combo2kinFitTrack[indices[1]], combo2kinFitTrack[indices[2]], combo2kinFitTrack[indices[3]]); if(indices.size() == 5) kmfit->AddResonance(kinFitConstraint++, constraint->constraintValue(), combo2kinFitTrack[indices[0]], combo2kinFitTrack[indices[1]], combo2kinFitTrack[indices[2]], combo2kinFitTrack[indices[3]], combo2kinFitTrack[indices[4]]); kinFitDOF++; } // do the fit double saveExtChi2 = 1.0e6; double saveExtDOF = kinFitDOF; if(constraints.size() > 0) { kmfit->setChisqCut(1e6 * kinFitDOF); if(kmfit->Fit()) saveExtChi2 = kmfit->chisq(); } // save the four-vectors if(constraints.size() > 0) { kinFitTrack = 0; for(unsigned int j = 0; j < combo.size(); j++) { FSParticle* fsp = combo[j]; if(fsp->shower() || fsp->track()) { fsp->setExtFourMomentum(kmfit->pfit(kinFitTrack++)); } if(fsp->pi0() || fsp->eta() || fsp->vee()) { fsp->setExtFourMomentum(kmfit->pfit(kinFitTrack++) + kmfit->pfit(kinFitTrack++)); fsp->setExtFourMomentumA(kmfit->pfit(kinFitTrack - 2)); fsp->setExtFourMomentumB(kmfit->pfit(kinFitTrack - 1)); } } } //******************************************************************** // // CALCULATE THE TOTAL ENERGY AND MOMENTUM // //******************************************************************** HepLorentzVector pTotal(0.0, 0.0, 0.0, 0.0); for(int i = 0; i < combo.size(); i++) { pTotal += combo[i]->rawFourMomentum(); } HepLorentzVector pMissing = m_pInitial - pTotal; //******************************************************************** // // RECORD INFORMATION // //******************************************************************** // record event level information NT->fillEvent(eventHeader, evtRecEvent, m_pInitial.e()); NT->fillDouble("NPi0s", pi0List.size()); NT->fillVertices(beamSpot, primaryVertex); NT->fillJPsiFinder(evtRecTrackCol); if(runNumber < 0) NT->fillMCTruth(m_mcTruthHelper, fsinfo); // record odds and ends that have no other place NT->fillDouble("TotalEnergy", pTotal.e()); NT->fillDouble("TotalPx", pTotal.px()); NT->fillDouble("TotalPy", pTotal.py()); NT->fillDouble("TotalPz", pTotal.pz()); NT->fillDouble("TotalP", pTotal.vect().mag()); NT->fillDouble("MissingMass2", pMissing.m2()); if(doVertexFit) NT->fillDouble("VChi2", primaryVertex_chisq); else NT->fillDouble("VChi2", -1.0); if(kinFitConstraint > 0) { NT->fillDouble("Chi2", saveFitChi2); NT->fillDouble("Chi2DOF", saveFitChi2 / saveFitDOF); } if(constraints.size() > 0) { NT->fillDouble("EChi2", saveExtChi2); NT->fillDouble("EChi2DOF", saveExtChi2 / saveExtDOF); } // record particle level information string RTAG("R"); string ITAG("I"); if(kinFitConstraint == 0) ITAG = ""; string ETAG("E"); for(unsigned int j = 0; j < combo.size(); j++) { FSParticle* fsp = combo[j]; // record 4-vectors NT->fill4Momentum(j + 1, "", RTAG, fsp->rawFourMomentum()); NT->fill4Momentum(j + 1, "", ITAG, fsp->intFourMomentum()); if(kinFitConstraint > 0) { NT->fill4Momentum(j + 1, "", "", fsp->fitFourMomentum()); } if(constraints.size() > 0) { NT->fill4Momentum(j + 1, "", ETAG, fsp->extFourMomentum()); } if(fsp->pi0() || fsp->eta() || fsp->vee()) { NT->fill4Momentum(j + 1, "a", RTAG, fsp->rawFourMomentumA()); NT->fill4Momentum(j + 1, "b", RTAG, fsp->rawFourMomentumB()); NT->fill4Momentum(j + 1, "a", ITAG, fsp->intFourMomentumA()); NT->fill4Momentum(j + 1, "b", ITAG, fsp->intFourMomentumB()); if(kinFitConstraint > 0) { NT->fill4Momentum(j + 1, "a", "", fsp->fitFourMomentumA()); NT->fill4Momentum(j + 1, "b", "", fsp->fitFourMomentumB()); } if(constraints.size() > 0) { NT->fill4Momentum(j + 1, "a", ETAG, fsp->extFourMomentumA()); NT->fill4Momentum(j + 1, "b", ETAG, fsp->extFourMomentumB()); } } // record particle-specific information if(fsp->shower()) { NT->fillShower(j + 1, "", "Sh", fsp->shower(), pi0List, evtRecTrackCol); } if(fsp->track()) { NT->fillTrack(j + 1, "", "Tk", fsp->track(), beamSpot, fsp->trackIndex(), m_pidStudies); } if(fsp->pi0()) { NT->fillPi0(j + 1, "", "Pi0", fsp->pi0()); NT->fillShower(j + 1, "a", "Sh", fsp->pi0Lo(), pi0List, evtRecTrackCol); NT->fillShower(j + 1, "b", "Sh", fsp->pi0Hi(), pi0List, evtRecTrackCol); } if(fsp->eta()) { NT->fillEta(j + 1, "", "Eta", fsp->eta()); NT->fillShower(j + 1, "a", "Sh", fsp->etaLo(), pi0List, evtRecTrackCol); NT->fillShower(j + 1, "b", "Sh", fsp->etaHi(), pi0List, evtRecTrackCol); } if(fsp->vee()) { NT->fillVee(j + 1, "", "Vee", fsp); NT->fillTrack(j + 1, "a", "Tk", fsp->veeTrack1(), beamSpot, fsp->trackIndex(), m_pidStudies); NT->fillTrack(j + 1, "b", "Tk", fsp->veeTrack2(), beamSpot, fsp->trackIndex(), m_pidStudies); } } // write the tree NT->write(); } fsinfo->particleCombinations().clear(); } //******************************************************************** // // CLEAN UP MEMORY AND RETURN // //******************************************************************** for(unsigned int i = 0; i < lambdaList.size(); i++) { delete lambdaList[i]; } for(unsigned int i = 0; i < alambdaList.size(); i++) { delete alambdaList[i]; } for(unsigned int i = 0; i < epList.size(); i++) { delete epList[i]; } for(unsigned int i = 0; i < emList.size(); i++) { delete emList[i]; } for(unsigned int i = 0; i < mupList.size(); i++) { delete mupList[i]; } for(unsigned int i = 0; i < mumList.size(); i++) { delete mumList[i]; } for(unsigned int i = 0; i < ppList.size(); i++) { delete ppList[i]; } for(unsigned int i = 0; i < pmList.size(); i++) { delete pmList[i]; } for(unsigned int i = 0; i < etaList.size(); i++) { delete etaList[i]; } for(unsigned int i = 0; i < gammaList.size(); i++) { delete gammaList[i]; } for(unsigned int i = 0; i < kpList.size(); i++) { delete kpList[i]; } for(unsigned int i = 0; i < kmList.size(); i++) { delete kmList[i]; } for(unsigned int i = 0; i < ksList.size(); i++) { delete ksList[i]; } for(unsigned int i = 0; i < pipList.size(); i++) { delete pipList[i]; } for(unsigned int i = 0; i < pimList.size(); i++) { delete pimList[i]; } for(unsigned int i = 0; i < pi0List.size(); i++) { delete pi0List[i]; } if(runNumber < 0) delete m_mcTruthHelper; return StatusCode::SUCCESS; } //******************************************************************** //******************************************************************** //******************************************************************** // // FINALIZE // //******************************************************************** //******************************************************************** //******************************************************************** StatusCode FSFilter::finalize() { cout << "FINAL EVENT COUNTER = " << m_eventCounter << endl; return StatusCode::SUCCESS; } //******************************************************************** //******************************************************************** //******************************************************************** // // CHECK THE ENERGY AND MOMENTUM BALANCE OF A GIVEN FINAL STATE // //******************************************************************** //******************************************************************** //******************************************************************** bool FSFilter::checkCombination(const vector<FSParticle*>& combo, bool complete, bool inclusive) { if(inclusive) return true; // if the combination isn't yet complete, just check to make sure there // is no excess energy outside of the energy tolerance if(!complete) { double totalEnergy = 0.0; for(int i = 0; i < combo.size(); i++) { totalEnergy += combo[i]->rawFourMomentum().e(); } double excessEnergy = totalEnergy - m_pInitial.e(); if(excessEnergy > m_energyTolerance) return false; return true; } // if the combination is complete, calculate the total energy and momentum HepLorentzVector pTotal(0.0, 0.0, 0.0, 0.0); for(int i = 0; i < combo.size(); i++) { pTotal += combo[i]->rawFourMomentum(); } HepLorentzVector pMissing = m_pInitial - pTotal; // if the combination is complete and exclusive, check the energy // and momentum balance if(fabs(pMissing.e()) > m_energyTolerance) return false; if(fabs(pMissing.vect().mag()) > m_momentumTolerance) return false; return true; }
[ "r.e.deboer@students.uu.nl" ]
r.e.deboer@students.uu.nl
8d80c402a707064ae365d2e7aaa4e20fe1d9d579
cd96666e1b57299f8544afaa294b7143ef25ad60
/Source.cpp
b2585fafcd6bd834a4928e0b616808c598494bd4
[]
no_license
KolololoPL/Arkanoid
d30ae82c3f9a3634f7453130f70077b3df7f1df6
421230e7620006e2bc6bdca2fa1c3d592e0d4719
refs/heads/master
2021-01-22T14:39:07.791470
2015-09-11T06:21:10
2015-09-11T06:21:10
42,291,392
0
0
null
null
null
null
UTF-8
C++
false
false
728
cpp
#include "MySDL.h" #include "Arkanoid.h" #include "EventHandler.h" #include "CollisionHandler.h" #include "BonusHandler.h" #include "Config.h" using namespace std; int main(int argc, char *argv[]) { MySDL* mySDL = new MySDL(WINDOW_WIDTH, WINDOW_HEIGHT, "Piotr Januszewski (Nr albumu 155079)"); EventHandler* eventHandler = new EventHandler(); CollisionHandler* collisionHandler = new CollisionHandler(); Arkanoid* arkanoid = new Arkanoid(); while (arkanoid->IsRunning()) { mySDL->UpdateTime(); eventHandler->HandleSDLEvents(); arkanoid->Update(); collisionHandler->HandleCollisions(); arkanoid->Draw(); } delete arkanoid; delete eventHandler; delete collisionHandler; delete mySDL; return 0; }
[ "piter.januszewski@wp.pl" ]
piter.januszewski@wp.pl
7b6ee79fafb3b9f5a50887ca4cce964b0ec5899b
991f950cc9096522cc8d1442e7689edca6288179
/Luogu/P5000~P5999/P5205 【模板】多项式开根/1.cpp
9588e7917732aaeaa4ba656017db2fd73572aae8
[ "MIT" ]
permissive
tiger0132/code-backup
1a767e8debeddc8054caa018f648c5e74ff9d6e4
9cb4ee5e99bf3c274e34f1e59d398ab52e51ecf7
refs/heads/master
2021-06-18T04:58:31.395212
2021-04-25T15:23:16
2021-04-25T15:23:16
160,021,239
3
0
null
null
null
null
UTF-8
C++
false
false
2,785
cpp
#include <algorithm> #include <complex> #include <cstdio> #include <cstring> #define invp(x) p((x), P - 2) const int N = 3e6 + 63, P = 998244353, G = 3, GInv = 332748118, div2 = 499122177; int p(int x, int y) { int ret = 1; for (; y; y >>= 1, x = 1ll * x * x % P) if (y & 1) ret = 1ll * ret * x % P; return ret; } int r[N], lim = 1, l; void ntt(int *a, int op) { for (int i = 0; i < lim; i++) if (i < r[i]) std::swap(a[i], a[r[i]]); for (int i = 1; i < lim; i <<= 1) { int gn = p(op == 1 ? G : GInv, (P - 1) / (i << 1)); for (int j = 0; j < lim; j += 2 * i) { int g = 1; for (int k = 0; k < i; k++, g = 1ll * g * gn % P) { int x = a[j + k], y = 1ll * g * a[j + k + i] % P; a[j + k] = (x + y) % P, a[j + k + i] = (x - y + P) % P; } } } if (op == 1) return; int inv = invp(lim); for (int i = 0; i < lim; i++) a[i] = 1ll * a[i] * inv % P; } template <typename Func> void mul(int *a, int *b, int *ans, Func f) { static int t1[N], t2[N]; memcpy(t1, a, lim * sizeof(int)); memcpy(t2, b, lim * sizeof(int)); ntt(t1, 1), ntt(t2, 1); for (int i = 0; i < lim; i++) ans[i] = f(t1[i], t2[i]); ntt(ans, -1); } void init_mul(int n) { lim = 1, l = 0; while (lim <= n) lim <<= 1, l++; for (int i = 1; i < lim; i++) r[i] = (r[i / 2] / 2) | ((i & 1) << (l - 1)); } void inv(int n, int *a, int *ans) { static int b[N]; if (n == 1) return void(ans[0] = invp(a[0])); inv((n + 1) / 2, a, ans); init_mul(2 * n); memcpy(b, a, n * sizeof(int)); for (int i = n; i < lim; i++) b[i] = 0; mul(b, ans, ans, [](int x, int y) { return (2 - 1ll * x * y % P + P) % P * y % P; }); for (int i = n; i < lim; i++) ans[i] = 0; } void derivative(int n, int *a, int *ans) { for (int i = 1; i < n; i++) ans[i - 1] = 1ll * i * a[i] % P; ans[n - 1] = 0; } void integral(int n, int *a, int *ans) { for (int i = 1; i < n; i++) ans[i] = 1ll * invp(i) * a[i - 1] % P; ans[0] = 0; } void ln(int n, int *a, int *ans) { static int b[N], c[N]; memset(b, 0, sizeof b), memset(c, 0, sizeof c); derivative(n, a, b), inv(n, a, c); mul(b, c, c, [](int x, int y) { return 1ll * x * y % P; }); integral(n, c, ans); } void exp(int n, int *a, int *ans) { static int b[N]; if (n == 1) return void(ans[0] = 1); exp(n / 2, a, ans); init_mul(n); ln(n, ans, b); for (int i = 0; i < n; i++) b[i] = (!i + a[i] - b[i] + P) % P; mul(ans, b, ans, [](int x, int y) { return 1ll * x * y % P; }); for (int i = n; i < lim; i++) ans[i] = 0; } void sqrt(int n, int *a, int *ans) { static int b[N]; ln(n, a, b); for (int i = 0; i < n; i++) b[i] = 1ll * b[i] * div2 % P; exp(n, b, ans); } int n, m = 1, a[N], b[N]; int main() { scanf("%d", &n); for (int i = 0; i < n; i++) scanf("%d", a + i); while (m < n) m <<= 1; sqrt(m, a, b); for (int i = 0; i < n; i++) printf("%d ", b[i]); }
[ "4c5948@gmail.com" ]
4c5948@gmail.com
6c2533f459eb58d3e42cc89c2e3968aba4d1b586
a81c07a5663d967c432a61d0b4a09de5187be87b
/android_webview/browser/gfx/task_queue_web_view.cc
a9e8994b9f3800a66f26501312fd23dc40aee87d
[ "BSD-3-Clause" ]
permissive
junxuezheng/chromium
c401dec07f19878501801c9e9205a703e8643031
381ce9d478b684e0df5d149f59350e3bc634dad3
refs/heads/master
2023-02-28T17:07:31.342118
2019-09-03T01:42:42
2019-09-03T01:42:42
205,967,014
2
0
BSD-3-Clause
2019-09-03T01:48:23
2019-09-03T01:48:23
null
UTF-8
C++
false
false
10,995
cc
// Copyright 2019 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "android_webview/browser/gfx/task_queue_web_view.h" #include <memory> #include <utility> #include "android_webview/browser/aw_feature_list.h" #include "base/auto_reset.h" #include "base/bind.h" #include "base/containers/queue.h" #include "base/no_destructor.h" #include "base/synchronization/condition_variable.h" #include "base/synchronization/lock.h" #include "base/thread_annotations.h" #include "base/threading/thread_checker.h" #include "base/threading/thread_local.h" #include "base/trace_event/trace_event.h" namespace android_webview { namespace { base::ThreadLocalBoolean* GetAllowGL() { static base::NoDestructor<base::ThreadLocalBoolean> allow_gl; return allow_gl.get(); } // This task queue is used when the client and gpu service runs on the same // thread (render thread). It has some simple logic to avoid reentrancy; in most // cases calling schedule will actually run the task immediately. class TaskQueueSingleThread : public TaskQueueWebView { public: TaskQueueSingleThread(); ~TaskQueueSingleThread() override = default; // TaskQueueWebView overrides. void ScheduleTask(base::OnceClosure task, bool out_of_order) override; void ScheduleOrRetainTask(base::OnceClosure task) override; void ScheduleIdleTask(base::OnceClosure task) override; void ScheduleClientTask(base::OnceClosure task) override; void RunAllTasks() override; void InitializeVizThread(const scoped_refptr<base::SingleThreadTaskRunner>& viz_task_runner) override; void ScheduleOnVizAndBlock(VizTask viz_task) override; private: // Flush the idle queue until it is empty. void PerformAllIdleWork(); void RunTasks(); // All access to task queue should happen on a single thread. THREAD_CHECKER(task_queue_thread_checker_); base::circular_deque<base::OnceClosure> tasks_; base::queue<base::OnceClosure> idle_tasks_; base::queue<base::OnceClosure> client_tasks_; bool inside_run_tasks_ = false; bool inside_run_idle_tasks_ = false; DISALLOW_COPY_AND_ASSIGN(TaskQueueSingleThread); }; TaskQueueSingleThread::TaskQueueSingleThread() { DETACH_FROM_THREAD(task_queue_thread_checker_); } void TaskQueueSingleThread::ScheduleTask(base::OnceClosure task, bool out_of_order) { DCHECK_CALLED_ON_VALID_THREAD(task_queue_thread_checker_); LOG_IF(FATAL, !GetAllowGL()->Get()) << "ScheduleTask outside of ScopedAllowGL"; if (out_of_order) tasks_.emplace_front(std::move(task)); else tasks_.emplace_back(std::move(task)); RunTasks(); } void TaskQueueSingleThread::ScheduleOrRetainTask(base::OnceClosure task) { ScheduleTask(std::move(task), false); } void TaskQueueSingleThread::ScheduleIdleTask(base::OnceClosure task) { LOG_IF(FATAL, !GetAllowGL()->Get()) << "ScheduleDelayedWork outside of ScopedAllowGL"; DCHECK_CALLED_ON_VALID_THREAD(task_queue_thread_checker_); idle_tasks_.push(std::move(task)); } void TaskQueueSingleThread::ScheduleClientTask(base::OnceClosure task) { DCHECK_CALLED_ON_VALID_THREAD(task_queue_thread_checker_); client_tasks_.emplace(std::move(task)); } void TaskQueueSingleThread::RunTasks() { TRACE_EVENT0("android_webview", "TaskQueueSingleThread::RunTasks"); DCHECK_CALLED_ON_VALID_THREAD(task_queue_thread_checker_); if (inside_run_tasks_) return; base::AutoReset<bool> inside(&inside_run_tasks_, true); while (tasks_.size()) { std::move(tasks_.front()).Run(); tasks_.pop_front(); } } void TaskQueueSingleThread::RunAllTasks() { DCHECK_CALLED_ON_VALID_THREAD(task_queue_thread_checker_); RunTasks(); PerformAllIdleWork(); DCHECK(tasks_.empty()); DCHECK(idle_tasks_.empty()); // Client tasks may generate more service tasks, so run this // in a loop. while (!client_tasks_.empty()) { base::queue<base::OnceClosure> local_client_tasks; local_client_tasks.swap(client_tasks_); while (!local_client_tasks.empty()) { std::move(local_client_tasks.front()).Run(); local_client_tasks.pop(); } RunTasks(); PerformAllIdleWork(); DCHECK(tasks_.empty()); DCHECK(idle_tasks_.empty()); } } void TaskQueueSingleThread::PerformAllIdleWork() { TRACE_EVENT0("android_webview", "TaskQueueWebview::PerformAllIdleWork"); DCHECK_CALLED_ON_VALID_THREAD(task_queue_thread_checker_); if (inside_run_idle_tasks_) return; base::AutoReset<bool> inside(&inside_run_idle_tasks_, true); while (idle_tasks_.size() > 0) { base::OnceClosure task = std::move(idle_tasks_.front()); idle_tasks_.pop(); std::move(task).Run(); } } void TaskQueueSingleThread::InitializeVizThread( const scoped_refptr<base::SingleThreadTaskRunner>& viz_task_runner) { NOTREACHED(); } void TaskQueueSingleThread::ScheduleOnVizAndBlock(VizTask viz_task) { NOTREACHED(); } // This class is used with kVizForWebView. The client is the single viz // thread and the gpu service runs on the render thread. Render thread is // allowed to block on the viz thread, but not the other way around. This // achieves viz scheduling tasks to gpu by first blocking render thread // on the viz thread so render thread is ready to receive and run tasks. // // This class does not implement methods only needed by command buffer. // It does not reply on ScopedAllowGL either. class TaskQueueViz : public TaskQueueWebView { public: TaskQueueViz(); ~TaskQueueViz() override; // TaskQueueWebView overrides. void ScheduleTask(base::OnceClosure task, bool out_of_order) override; void ScheduleOrRetainTask(base::OnceClosure task) override; void ScheduleIdleTask(base::OnceClosure task) override; void ScheduleClientTask(base::OnceClosure task) override; void RunAllTasks() override; void InitializeVizThread(const scoped_refptr<base::SingleThreadTaskRunner>& viz_task_runner) override; void ScheduleOnVizAndBlock(VizTask viz_task) override; private: void RunOnViz(VizTask viz_task); void SignalDone(); void EmplaceTask(base::OnceClosure task); scoped_refptr<base::SingleThreadTaskRunner> viz_task_runner_; // Only accessed on viz thread. bool allow_schedule_task_ = false; base::Lock lock_; base::ConditionVariable condvar_{&lock_}; bool done_ GUARDED_BY(lock_) = true; base::circular_deque<base::OnceClosure> tasks_ GUARDED_BY(lock_); DISALLOW_COPY_AND_ASSIGN(TaskQueueViz); }; TaskQueueViz::TaskQueueViz() = default; TaskQueueViz::~TaskQueueViz() = default; void TaskQueueViz::ScheduleTask(base::OnceClosure task, bool out_of_order) { TRACE_EVENT0("android_webview", "ScheduleTask"); DCHECK(viz_task_runner_->BelongsToCurrentThread()); DCHECK(allow_schedule_task_); // |out_of_order| is not needed by TaskForwardingSequence. Not supporting // it allows slightly more efficient swapping the task queue in // ScheduleOnVizAndBlock . DCHECK(!out_of_order); EmplaceTask(std::move(task)); } void TaskQueueViz::ScheduleOrRetainTask(base::OnceClosure task) { DCHECK(viz_task_runner_->BelongsToCurrentThread()); // The two branches end up doing the exact same thing only because retain can // use the same task queue. The code says the intention which is // |ScheduleOrRetainTask| behaves the same as |ScheduleTask| if // |allow_schedule_task_| is true. // Sharing the queue makes it clear |ScheduleTask| and |ScheduleOrRetainTask| // but however has a non-practical risk of live-locking the render thread. if (allow_schedule_task_) { ScheduleTask(std::move(task), false); return; } EmplaceTask(std::move(task)); } void TaskQueueViz::EmplaceTask(base::OnceClosure task) { base::AutoLock lock(lock_); tasks_.emplace_back(std::move(task)); condvar_.Signal(); } void TaskQueueViz::ScheduleIdleTask(base::OnceClosure task) { NOTREACHED(); } void TaskQueueViz::ScheduleClientTask(base::OnceClosure task) { DCHECK(viz_task_runner_); viz_task_runner_->PostTask(FROM_HERE, std::move(task)); } void TaskQueueViz::RunAllTasks() { // Intentional no-op. } void TaskQueueViz::InitializeVizThread( const scoped_refptr<base::SingleThreadTaskRunner>& viz_task_runner) { DCHECK(!viz_task_runner_); viz_task_runner_ = viz_task_runner; } void TaskQueueViz::ScheduleOnVizAndBlock(VizTask viz_task) { TRACE_EVENT0("android_webview", "ScheduleOnVizAndBlock"); // Expected behavior is |viz_task| on the viz thread. From |viz_task| until // the done closure is called (which may not be in the viz_task), viz thread // is allowed to call ScheduleTask. // // Implementation is uses a normal run-loop like logic. The done closure // marks |done_| true, and run loop exists when |done_| is true *and* the task // queue is empty. A condition variable is signaled when |done_| is set or // when something is appended to the task queue. { base::AutoLock lock(lock_); DCHECK(done_); done_ = false; } // Unretained safe because this object is never deleted. viz_task_runner_->PostTask( FROM_HERE, base::BindOnce(&TaskQueueViz::RunOnViz, base::Unretained(this), std::move(viz_task))); { base::AutoLock lock(lock_); while (!done_ || !tasks_.empty()) { if (tasks_.empty()) condvar_.Wait(); base::circular_deque<base::OnceClosure> tasks; tasks.swap(tasks_); { base::AutoUnlock unlock(lock_); if (!tasks.empty()) { TRACE_EVENT0("android_webview", "RunTasks"); while (tasks.size()) { std::move(tasks.front()).Run(); tasks.pop_front(); } } } } DCHECK(done_); } } void TaskQueueViz::RunOnViz(VizTask viz_task) { DCHECK(viz_task_runner_->BelongsToCurrentThread()); DCHECK(!allow_schedule_task_); allow_schedule_task_ = true; // Unretained safe because this object is never deleted. std::move(viz_task).Run( base::BindOnce(&TaskQueueViz::SignalDone, base::Unretained(this))); } void TaskQueueViz::SignalDone() { DCHECK(viz_task_runner_->BelongsToCurrentThread()); DCHECK(allow_schedule_task_); allow_schedule_task_ = false; base::AutoLock lock(lock_); DCHECK(!done_); done_ = true; condvar_.Signal(); } } // namespace ScopedAllowGL::ScopedAllowGL() { DCHECK(!GetAllowGL()->Get()); GetAllowGL()->Set(true); } ScopedAllowGL::~ScopedAllowGL() { TaskQueueWebView* service = TaskQueueWebView::GetInstance(); DCHECK(service); service->RunAllTasks(); GetAllowGL()->Set(false); } // static TaskQueueWebView* TaskQueueWebView::GetInstance() { static TaskQueueWebView* task_queue = base::FeatureList::IsEnabled(features::kVizForWebView) ? static_cast<TaskQueueWebView*>(new TaskQueueViz) : static_cast<TaskQueueWebView*>(new TaskQueueSingleThread); return task_queue; } } // namespace android_webview
[ "commit-bot@chromium.org" ]
commit-bot@chromium.org
57de8fe834d03a7dd2e25705fad450c8204f943e
7dbf7e78281c6ef4f337ef3c4a8ad36bf3fb1fad
/C++ Libraries/HydroCAN/examples/get_can_readings/get_can_readings.ino
433e47a5a47e0746ea0ea0d37c8d8b4e2087ea08
[]
no_license
hydrometra/hydrocontest2018
e711e95825130c40cf73d31b709c848a5778db2c
614e7994d0f3e9adb79c70ff545a78f5abace0e9
refs/heads/master
2020-03-28T07:51:23.077900
2018-09-08T11:41:18
2018-09-08T11:41:18
147,927,719
1
0
null
null
null
null
UTF-8
C++
false
false
861
ino
#include <HydroCAN.h> HydroCAN can; void setup() { Serial.begin(9600); can.initialize(); } void loop() { can.update(); print_each(200); } void print_each(int ms) { static unsigned long last_ms = 0; if (millis() - last_ms >= ms) { last_ms = millis(); Serial.print(can.getVoltage()); Serial.print('\t'); Serial.print(can.getCurrent()); Serial.print('\t'); Serial.print(can.getRPM()); Serial.print('\t'); Serial.print(can.getOdometer()); Serial.print('\t'); Serial.print(can.getMotorTemperature()); Serial.print('\t'); Serial.print(can.getBatteryTemperature()); Serial.print('\t'); Serial.print(can.getInputPWM()); Serial.print('\t'); Serial.print(can.getOutputPWM()); Serial.print('\t'); Serial.print(can.readWarnings()); Serial.print('\t'); Serial.print(can.readErrors()); Serial.println('\t'); } }
[ "nicolas.villegas@solenium.co" ]
nicolas.villegas@solenium.co
98e48917315648abc18245a48883abd2b53a9228
4484e7be3db82c28588bd6e28c071f6f05dcab93
/TebPlanner/TebPlanner/FootPrint.h
28f34b2fb52ff3f18aa80e93bdcbe0bd91caee69
[]
no_license
yinflight/LocalPlannerPaper
714588ddb436624e8db586648b7eee2feed7c5a7
ff531f9441ae308554f6c79c043a725bc99b882b
refs/heads/master
2023-01-13T06:53:40.920098
2020-11-07T09:10:41
2020-11-07T09:10:41
null
0
0
null
null
null
null
UTF-8
C++
false
false
5,181
h
#include "type.h" namespace TebPlanner { /** * @brief The FootPrint class:This class defines the shape and size of robot */ class FootPrint { public: /** * @brief FootPrint:the default constructor */ FootPrint(){is_init_ = false;} /** * @brief FootPrint:another constructor to initialize the vertexs and radius * @param vertexs: the vertexs which construct the footprint's shape * @param radius:If the footprint is a circle,the radius can be useful. Otherwise the radius is -1.0. */ FootPrint(std::vector<Eigen::Vector2d> &vertexs,double radius = -1.0) { initialize(vertexs,radius); } /** * @brief ~FootPrint:the default destructor */ ~FootPrint(){} /** * @brief initialize:init the footprint, set its shape and radius * @param vertexs: the vertexs which construct the footprint's shape * @param radius:If the footprint is a circle,the radius can be useful. Otherwise the radius is -1.0. */ void initialize(std::vector<Eigen::Vector2d> &vertexs,double radius = -1.0) { if (is_init_) { ROS_WARN("REINIT:ReInitialize FootPrint"); } radius_ = radius; vertexs_ = vertexs; center_ = TebPlanner::computeCenter(vertexs_); is_init_ = true; } /** * @brief setWorldPose:Due to computational needs, we need to get the pose of the robot model in the real * world, so use this function to get the coordinates of the model points in the real * world. The actual execution function is transform2World * @param pose:Real-world robot pose center * @param vertexs[in,out]:the shape we need to get */ void setWorldPose(const Pose2D& pose,std::vector<Eigen::Vector2d> &vertexs) { transform2World(pose,vertexs); } /** * @brief setVertex:we can set the robot's shape manually. * @param vertexs:the shape form with vertexs */ void setVertex(std::vector<Eigen::Vector2d> &vertexs) { vertexs_ = vertexs; center_ = TebPlanner::computeCenter(vertexs_); } /** * @brief getVertex get the shape * @return */ std::vector<Eigen::Vector2d> getVertex(){return vertexs_;} /** * @brief setCenter set center manually * @param center:the 2d location */ void setCenter(Eigen::Vector2d &center){center_=center;} /** * @brief getCenter:get the center location * @return center */ Eigen::Vector2d getCenter(){return center_;} /** * @brief setRadius:set the radius manually * @param radius */ void setRadius(double radius){radius_=radius;} /** * @brief getRadius:get the radius * @return radius */ double getRadius(){return radius_;} /** * @brief getType:for the FootPrint I do not use the virtual class to make different type of shape, * but check the shape type by function * @return type Id */ int getType() { if (!is_init_) { ROS_ERROR("INITERROR:Function Excute Before Initialize"); return -1; } if (radius>0) { return TebPlanner::CIRCLETYPE; } else if(vertexs.size()==1) { return TebPlanner::POINTTYPE; }else if (vertexs.size()==2) { return TebPlanner::LINETYPE; }else if (vertexs.size()>2) { return TebPlanner::POLYGONTYPE; }else { ROS_ERROR("TYPEERROR:Unkown Type Occur"); } } /** * @brief IsInner check whether a point in the footprint * @param vertex:point location * @param minDist:for line and point we check the distance * @return true if in the footprint, otherwise false */ bool IsInner(const Eigen::Vector2d &vertex, double minDist = 0.0) { int type = getType(); if (type ==TebPlanner::POLYGONTYPE) return TebPlanner::isPointInPolygon(vertexs_,vertex); if (type ==TebPlanner::CIRCLETYPE) return TebPlanner::isPointInCircle(center_,radius,vertex); if (type ==TebPlanner::POINTTYPE) return checkCollisionPoints(vertexs_[0], vertex,minDist); if (type ==TebPlanner::LINETYPE) return checkCollisionPointLine(vertex,vertexs_,minDist); ROS_ERROR("TYPEERROR:Unkown Type Occur"); return false; } protected: /** * @brief transform2World:When robot move,the vertexs of its shape are not in the origin position. * It will change to a new position.We use this function to compute the current * position of the vertexs but do not change the original one. * @param pose:the robot's current pose * @param vertexs[in,out]:the current positions we need to compute. */ void transform2World(const Pose2D& pose,std::vector<Eigen::Vector2d> &vertexs) { //TODO } private: std::vector<Eigen::Vector2d> vertexs_; Eigen::Vector2d center_; double radius_; bool is_init_; }; }
[ "3070823110@163.com" ]
3070823110@163.com
22de1917c14341d00c6e51d808c36fdff88b6832
4b047d1a02c9ac617d9a3514b179a5c4c33c1668
/reg-lib/_reg_mutualinformation.cpp
4043308d145fec164e2cbcb921a6dbbf5157c830
[]
no_license
spedemon/niftyrec
61b3239c834202bd665e885b742acc668caf62d3
3b3cf974bd25d1ae5c6ed493dcb2053a6df37aae
refs/heads/master
2020-04-05T17:11:22.867350
2015-11-20T17:27:44
2015-11-20T17:27:44
157,048,470
1
1
null
null
null
null
UTF-8
C++
false
false
31,598
cpp
/* * _reg_mutualinformation.cpp * * * Created by Marc Modat on 25/03/2009. * Copyright (c) 2009, University College London. All rights reserved. * Centre for Medical Image Computing (CMIC) * See the LICENSE.txt file in the nifty_reg root folder * */ #ifndef _REG_MUTUALINFORMATION_CPP #define _REG_MUTUALINFORMATION_CPP #include "_reg_mutualinformation.h" /* *************************************************************** */ template<class PrecisionTYPE> PrecisionTYPE GetBasisSplineValue(PrecisionTYPE x) { x=fabs(x); PrecisionTYPE value=0.0; if(x<2.0) { if(x<1.0) { value = (PrecisionTYPE)(2.0f/3.0f + (0.5f*x-1.0)*x*x); } else { x-=2.0f; value = -x*x*x/6.0f; } } return value; } /* *************************************************************** */ template<class PrecisionTYPE> PrecisionTYPE GetBasisSplineDerivativeValue(PrecisionTYPE ori) { PrecisionTYPE x=fabs(ori); PrecisionTYPE value=0.0; if(x<2.0) { if(x<1.0) { value = (PrecisionTYPE)((1.5f*x-2.0)*ori); } else { x-=2.0f; value = -0.5f * x * x; if(ori<0.0f)value =-value; } } return value; } /* *************************************************************** */ /* *************************************************************** */ extern "C++" template<class PrecisionTYPE, class TargetTYPE, class ResultTYPE> void reg_getEntropies3( nifti_image *targetImage, nifti_image *resultImage, int type, int binning, PrecisionTYPE *probaJointHistogram, PrecisionTYPE *logJointHistogram, PrecisionTYPE *entropies, int *mask) { TargetTYPE *targetPtr = static_cast<TargetTYPE *>(targetImage->data); ResultTYPE *resultPtr = static_cast<ResultTYPE *>(resultImage->data); int *maskPtr = &mask[0]; memset(probaJointHistogram, 0, binning*(binning+2) * sizeof(PrecisionTYPE)); memset(logJointHistogram, 0, binning*(binning+2) * sizeof(PrecisionTYPE)); PrecisionTYPE voxelNumber=0.0; int targetIndex; int resultIndex; if(type==1){ // parzen windows approach to fill the joint histogram for(int z=0; z<targetImage->nz; z++){ // loop over the target space for(int y=0; y<targetImage->ny; y++){ for(int x=0; x<targetImage->nx; x++){ TargetTYPE targetValue=*targetPtr++; ResultTYPE resultValue=*resultPtr++; if( targetValue>2.0f && resultValue>2.0f && *maskPtr++>-1){ // The two is added because the image is resample between 2 and bin +2 // if 64 bins are used the histogram will have 68 bins et the image will be between 2 and 65 for(int t=(int)(targetValue-1.0); t<(int)(targetValue+2.0); t++){ if(-1<t && t<binning){ for(int r=(int)(resultValue-1.0); r<(int)(resultValue+2.0); r++){ if(-1<r && r<binning){ PrecisionTYPE coeff = GetBasisSplineValue<PrecisionTYPE> ((PrecisionTYPE)t-(PrecisionTYPE)targetValue) * GetBasisSplineValue<PrecisionTYPE> ((PrecisionTYPE)r-(PrecisionTYPE)resultValue); probaJointHistogram[t*binning+r] += coeff; voxelNumber += coeff; } // O<j<bin } // j } // 0<i<bin } // i } // targetValue>0 && resultValue>0 } // x } // y } // z } else{ // classical trilinear interpolation only for(unsigned int index=0; index<targetImage->nvox; index++){ if(*maskPtr++>-1){ TargetTYPE targetInt = *targetPtr; ResultTYPE resultInt = *resultPtr; if( targetInt>(TargetTYPE)(2) && targetInt<(TargetTYPE)(binning) && resultInt>(ResultTYPE)(2) && resultInt<(ResultTYPE)(binning)){ probaJointHistogram[(unsigned int)((floorf((float)targetInt) * binning + floorf((float)resultInt)))]++; voxelNumber++; } } targetPtr++; resultPtr++; } } if(type==2){ // parzen windows approximation by smoothing the classical approach // the logJointHistogram array is used as a temporary array PrecisionTYPE window[3]; window[0]=window[2]=GetBasisSplineValue((PrecisionTYPE)(-1.0)); window[1]=GetBasisSplineValue((PrecisionTYPE)(0.0)); //The joint histogram is smoothed along the target axis for(int s=0; s<binning; s++){ for(int t=0; t<binning; t++){ PrecisionTYPE value=(PrecisionTYPE)(0.0); targetIndex = t-1; PrecisionTYPE *ptrHisto = &probaJointHistogram[targetIndex*binning+s]; for(int it=0; it<3; it++){ if(-1<targetIndex && targetIndex<binning){ value += *ptrHisto * window[it]; } ptrHisto += binning; targetIndex++; } logJointHistogram[t*binning+s] = value; } } //The joint histogram is smoothed along the source axis for(int t=0; t<binning; t++){ for(int s=0; s<binning; s++){ PrecisionTYPE value=0.0; resultIndex = s-1; PrecisionTYPE *ptrHisto = &logJointHistogram[t*binning+resultIndex]; for(int it=0; it<3; it++){ if(-1<resultIndex && resultIndex<binning){ value += *ptrHisto * window[it]; } ptrHisto++; resultIndex++; } probaJointHistogram[t*binning+s] = value; } } memset(logJointHistogram, 0, binning*(binning+2) * sizeof(PrecisionTYPE)); } for(int index=0; index<binning*binning; index++) probaJointHistogram[index] /= voxelNumber; // The marginal probability are stored first targetIndex = binning*binning; resultIndex = targetIndex+binning; for(int t=0; t<binning; t++){ PrecisionTYPE sum=0.0; unsigned int coord=t*binning; for(int r=0; r<binning; r++){ sum += probaJointHistogram[coord++]; } probaJointHistogram[targetIndex++] = sum; } for(int r=0; r<binning; r++){ PrecisionTYPE sum=0.0; unsigned int coord=r; for(int t=0; t<binning; t++){ sum += probaJointHistogram[coord]; coord += binning; } probaJointHistogram[resultIndex++] = sum; } PrecisionTYPE tEntropy = 0.0; PrecisionTYPE rEntropy = 0.0; PrecisionTYPE jEntropy = 0.0; targetIndex = binning*binning; resultIndex = targetIndex+binning; for(int tr=0; tr<binning; tr++){ PrecisionTYPE targetValue = probaJointHistogram[targetIndex]; PrecisionTYPE resultValue = probaJointHistogram[resultIndex]; PrecisionTYPE targetLog=0.0; PrecisionTYPE resultLog=0.0; if(targetValue) targetLog = log(targetValue); if(resultValue) resultLog = log(resultValue); tEntropy -= targetValue*targetLog; rEntropy -= resultValue*resultLog; logJointHistogram[targetIndex++] = targetLog; logJointHistogram[resultIndex++] = resultLog; } for(int tr=0; tr<binning*binning; tr++){ PrecisionTYPE jointValue = probaJointHistogram[tr]; PrecisionTYPE jointLog = 0.0; if(jointValue) jointLog = log(jointValue); jEntropy -= jointValue*jointLog; logJointHistogram[tr] = jointLog; } entropies[0]=tEntropy; // target image entropy entropies[1]=rEntropy; // result image entropy entropies[2]=jEntropy; // joint entropy entropies[3]=voxelNumber; // Number of voxel return; } /* *************************************************************** */ extern "C++" template<class PrecisionTYPE, class TargetTYPE> void reg_getEntropies2( nifti_image *targetImage, nifti_image *resultImage, int type, int binning, PrecisionTYPE *probaJointHistogram, PrecisionTYPE *logJointHistogram, PrecisionTYPE *entropies, int *mask ) { switch(resultImage->datatype){ case NIFTI_TYPE_UINT8: reg_getEntropies3<PrecisionTYPE,TargetTYPE,unsigned char> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_INT8: reg_getEntropies3<PrecisionTYPE,TargetTYPE,char> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_UINT16: reg_getEntropies3<PrecisionTYPE,TargetTYPE,unsigned short> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_INT16: reg_getEntropies3<PrecisionTYPE,TargetTYPE,short> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_UINT32: reg_getEntropies3<PrecisionTYPE,TargetTYPE,unsigned int> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_INT32: reg_getEntropies3<PrecisionTYPE,TargetTYPE,int> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_FLOAT32: reg_getEntropies3<PrecisionTYPE,TargetTYPE,float> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_FLOAT64: reg_getEntropies3<PrecisionTYPE,TargetTYPE,double> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; default: printf("err\treg_getEntropies\tThe result image data type is not supported\n"); return; } return; } /* *************************************************************** */ extern "C++" template<class PrecisionTYPE> void reg_getEntropies( nifti_image *targetImage, nifti_image *resultImage, int type, int binning, PrecisionTYPE *probaJointHistogram, PrecisionTYPE *logJointHistogram, PrecisionTYPE *entropies, int *mask ) { switch(targetImage->datatype){ case NIFTI_TYPE_UINT8: reg_getEntropies2<PrecisionTYPE,unsigned char> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_INT8: reg_getEntropies2<PrecisionTYPE,char> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_UINT16: reg_getEntropies2<PrecisionTYPE,unsigned short> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_INT16: reg_getEntropies2<PrecisionTYPE,short> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_UINT32: reg_getEntropies2<PrecisionTYPE,unsigned int> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_INT32: reg_getEntropies2<PrecisionTYPE,int> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_FLOAT32: reg_getEntropies2<PrecisionTYPE,float> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; case NIFTI_TYPE_FLOAT64: reg_getEntropies2<PrecisionTYPE,double> (targetImage, resultImage, type, binning, probaJointHistogram, logJointHistogram, entropies, mask); break; default: printf("err\treg_getEntropies\tThe target image data type is not supported\n"); return; } return; } /* *************************************************************** */ template void reg_getEntropies<float>(nifti_image *, nifti_image *, int, int, float *, float *, float *, int *); template void reg_getEntropies<double>(nifti_image *, nifti_image *, int, int, double *, double *, double *, int *); /* *************************************************************** */ /* *************************************************************** */ /* *************************************************************** */ template<class PrecisionTYPE,class TargetTYPE,class ResultTYPE,class ResultGradientTYPE,class NMIGradientTYPE> void reg_getVoxelBasedNMIGradientUsingPW2D( nifti_image *targetImage, nifti_image *resultImage, int type, nifti_image *resultImageGradient, int binning, PrecisionTYPE *logJointHistogram, PrecisionTYPE *entropies, nifti_image *nmiGradientImage, int *mask) { TargetTYPE *targetPtr = static_cast<TargetTYPE *>(targetImage->data); ResultTYPE *resultPtr = static_cast<ResultTYPE *>(resultImage->data); ResultGradientTYPE *resultGradientPtrX = static_cast<ResultGradientTYPE *>(resultImageGradient->data); ResultGradientTYPE *resultGradientPtrY = &resultGradientPtrX[resultImage->nvox]; NMIGradientTYPE *nmiGradientPtrX = static_cast<NMIGradientTYPE *>(nmiGradientImage->data); NMIGradientTYPE *nmiGradientPtrY = &nmiGradientPtrX[resultImage->nvox]; int *maskPtr = &mask[0]; // In a first time the NMI gradient is computed for every voxel memset(nmiGradientPtrX,0,nmiGradientImage->nvox*nmiGradientImage->nbyper); PrecisionTYPE NMI = (entropies[0]+entropies[1])/entropies[2]; unsigned int binningSquare = binning*binning; for(int y=0; y<targetImage->ny; y++){ for(int x=0; x<targetImage->nx; x++){ if(*maskPtr++>-1){ TargetTYPE targetValue = *targetPtr; ResultTYPE resultValue = *resultPtr; if(targetValue>2.0f && resultValue>2.0f){ // The two is added because the image is resample between 2 and bin +2 // if 64 bins are used the histogram will have 68 bins et the image will be between 2 and 65 if(type!=1){ targetValue = (TargetTYPE)floor((double)targetValue); resultValue = (ResultTYPE)floor((double)resultValue); } PrecisionTYPE resDeriv[2]; resDeriv[0] = (PrecisionTYPE)(*resultGradientPtrX); resDeriv[1] = (PrecisionTYPE)(*resultGradientPtrY); PrecisionTYPE jointEntropyDerivative_X = 0.0; PrecisionTYPE movingEntropyDerivative_X = 0.0; PrecisionTYPE fixedEntropyDerivative_X = 0.0; PrecisionTYPE jointEntropyDerivative_Y = 0.0; PrecisionTYPE movingEntropyDerivative_Y = 0.0; PrecisionTYPE fixedEntropyDerivative_Y = 0.0; for(int t=(int)(targetValue-1.0); t<(int)(targetValue+2.0); t++){ if(-1<t && t<binning){ for(int r=(int)(resultValue-1.0); r<(int)(resultValue+2.0); r++){ if(-1<r && r<binning){ PrecisionTYPE commonValue = GetBasisSplineValue<PrecisionTYPE>((PrecisionTYPE)t-(PrecisionTYPE)targetValue) * GetBasisSplineDerivativeValue<PrecisionTYPE>((PrecisionTYPE)r-(PrecisionTYPE)resultValue); PrecisionTYPE jointLog = logJointHistogram[t*binning+r]; PrecisionTYPE targetLog = logJointHistogram[binningSquare+t]; PrecisionTYPE resultLog = logJointHistogram[binningSquare+binning+r]; PrecisionTYPE temp = commonValue * resDeriv[0]; jointEntropyDerivative_X -= temp * jointLog; fixedEntropyDerivative_X -= temp * targetLog; movingEntropyDerivative_X -= temp * resultLog; temp = commonValue * resDeriv[1]; jointEntropyDerivative_Y -= temp * jointLog; fixedEntropyDerivative_Y -= temp * targetLog; movingEntropyDerivative_Y -= temp * resultLog; } // O<t<bin } // t } // 0<r<bin } // r PrecisionTYPE temp = (PrecisionTYPE)(entropies[2]); // (Marc) I removed the normalisation by the voxel number as each gradient has to be normalised in the same way (NMI, BE, JAC) *nmiGradientPtrX = (NMIGradientTYPE)((fixedEntropyDerivative_X + movingEntropyDerivative_X - NMI * jointEntropyDerivative_X) / temp); *nmiGradientPtrY = (NMIGradientTYPE)((fixedEntropyDerivative_Y + movingEntropyDerivative_Y - NMI * jointEntropyDerivative_Y) / temp); } // value > 0 }// mask > -1 targetPtr++; resultPtr++; nmiGradientPtrX++; nmiGradientPtrY++; resultGradientPtrX++; resultGradientPtrY++; } } } /* *************************************************************** */ template<class PrecisionTYPE,class TargetTYPE,class ResultTYPE,class ResultGradientTYPE,class NMIGradientTYPE> void reg_getVoxelBasedNMIGradientUsingPW3D( nifti_image *targetImage, nifti_image *resultImage, int type, nifti_image *resultImageGradient, int binning, PrecisionTYPE *logJointHistogram, PrecisionTYPE *entropies, nifti_image *nmiGradientImage, int *mask) { TargetTYPE *targetPtr = static_cast<TargetTYPE *>(targetImage->data); ResultTYPE *resultPtr = static_cast<ResultTYPE *>(resultImage->data); ResultGradientTYPE *resultGradientPtrX = static_cast<ResultGradientTYPE *>(resultImageGradient->data); ResultGradientTYPE *resultGradientPtrY = &resultGradientPtrX[resultImage->nvox]; ResultGradientTYPE *resultGradientPtrZ = &resultGradientPtrY[resultImage->nvox]; NMIGradientTYPE *nmiGradientPtrX = static_cast<NMIGradientTYPE *>(nmiGradientImage->data); NMIGradientTYPE *nmiGradientPtrY = &nmiGradientPtrX[resultImage->nvox]; NMIGradientTYPE *nmiGradientPtrZ = &nmiGradientPtrY[resultImage->nvox]; int *maskPtr = &mask[0]; // In a first time the NMI gradient is computed for every voxel memset(nmiGradientPtrX,0,nmiGradientImage->nvox*nmiGradientImage->nbyper); PrecisionTYPE NMI = (entropies[0]+entropies[1])/entropies[2]; unsigned int binningSquare = binning*binning; for(int z=0; z<targetImage->nz; z++){ for(int y=0; y<targetImage->ny; y++){ for(int x=0; x<targetImage->nx; x++){ if(*maskPtr++>-1){ TargetTYPE targetValue = *targetPtr; ResultTYPE resultValue = *resultPtr; if(targetValue>2.0f && resultValue>2.0f){ // The two is added because the image is resample between 2 and bin +2 // if 64 bins are used the histogram will have 68 bins et the image will be between 2 and 65 if(type!=1){ targetValue = (TargetTYPE)floor((double)targetValue); resultValue = (ResultTYPE)floor((double)resultValue); } PrecisionTYPE resDeriv[3]; resDeriv[0] = (PrecisionTYPE)(*resultGradientPtrX); resDeriv[1] = (PrecisionTYPE)(*resultGradientPtrY); resDeriv[2] = (PrecisionTYPE)(*resultGradientPtrZ); PrecisionTYPE jointEntropyDerivative_X = 0.0; PrecisionTYPE movingEntropyDerivative_X = 0.0; PrecisionTYPE fixedEntropyDerivative_X = 0.0; PrecisionTYPE jointEntropyDerivative_Y = 0.0; PrecisionTYPE movingEntropyDerivative_Y = 0.0; PrecisionTYPE fixedEntropyDerivative_Y = 0.0; PrecisionTYPE jointEntropyDerivative_Z = 0.0; PrecisionTYPE movingEntropyDerivative_Z = 0.0; PrecisionTYPE fixedEntropyDerivative_Z = 0.0; for(int t=(int)(targetValue-1.0); t<(int)(targetValue+2.0); t++){ if(-1<t && t<binning){ for(int r=(int)(resultValue-1.0); r<(int)(resultValue+2.0); r++){ if(-1<r && r<binning){ PrecisionTYPE commonValue = GetBasisSplineValue<PrecisionTYPE>((PrecisionTYPE)t-(PrecisionTYPE)targetValue) * GetBasisSplineDerivativeValue<PrecisionTYPE>((PrecisionTYPE)r-(PrecisionTYPE)resultValue); PrecisionTYPE jointLog = logJointHistogram[t*binning+r]; PrecisionTYPE targetLog = logJointHistogram[binningSquare+t]; PrecisionTYPE resultLog = logJointHistogram[binningSquare+binning+r]; PrecisionTYPE temp = commonValue * resDeriv[0]; jointEntropyDerivative_X -= temp * jointLog; fixedEntropyDerivative_X -= temp * targetLog; movingEntropyDerivative_X -= temp * resultLog; temp = commonValue * resDeriv[1]; jointEntropyDerivative_Y -= temp * jointLog; fixedEntropyDerivative_Y -= temp * targetLog; movingEntropyDerivative_Y -= temp * resultLog; temp = commonValue * resDeriv[2]; jointEntropyDerivative_Z -= temp * jointLog; fixedEntropyDerivative_Z -= temp * targetLog; movingEntropyDerivative_Z -= temp * resultLog; } // O<t<bin } // t } // 0<r<bin } // r // (Marc) I removed the normalisation by the voxel number as each gradient has to be normalised in the same way (NMI, BE, JAC) PrecisionTYPE temp = (PrecisionTYPE)(entropies[2]); *nmiGradientPtrX = (NMIGradientTYPE)((fixedEntropyDerivative_X + movingEntropyDerivative_X - NMI * jointEntropyDerivative_X) / temp); *nmiGradientPtrY = (NMIGradientTYPE)((fixedEntropyDerivative_Y + movingEntropyDerivative_Y - NMI * jointEntropyDerivative_Y) / temp); *nmiGradientPtrZ = (NMIGradientTYPE)((fixedEntropyDerivative_Z + movingEntropyDerivative_Z - NMI * jointEntropyDerivative_Z) / temp); } // value > 0 }// mask > -1 targetPtr++; resultPtr++; nmiGradientPtrX++; nmiGradientPtrY++; nmiGradientPtrZ++; resultGradientPtrX++; resultGradientPtrY++; resultGradientPtrZ++; } } } } /* *************************************************************** */ template<class PrecisionTYPE,class TargetTYPE,class ResultTYPE,class ResultGradientTYPE> void reg_getVoxelBasedNMIGradientUsingPW3( nifti_image *targetImage, nifti_image *resultImage, int type, nifti_image *resultImageGradient, int binning, PrecisionTYPE *logJointHistogram, PrecisionTYPE *entropies, nifti_image *nmiGradientImage, int *mask) { if(nmiGradientImage->nz>1){ switch(nmiGradientImage->datatype){ case NIFTI_TYPE_FLOAT32: reg_getVoxelBasedNMIGradientUsingPW3D<PrecisionTYPE,TargetTYPE,ResultTYPE,ResultGradientTYPE,float> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_FLOAT64: reg_getVoxelBasedNMIGradientUsingPW3D<PrecisionTYPE,TargetTYPE,ResultTYPE,ResultGradientTYPE,double> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; default: printf("err\treg_getVoxelBasedNMIGradientUsingPW\tThe result image gradient data type is not supported\n"); return; } }else{ switch(nmiGradientImage->datatype){ case NIFTI_TYPE_FLOAT32: reg_getVoxelBasedNMIGradientUsingPW2D<PrecisionTYPE,TargetTYPE,ResultTYPE,ResultGradientTYPE,float> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_FLOAT64: reg_getVoxelBasedNMIGradientUsingPW2D<PrecisionTYPE,TargetTYPE,ResultTYPE,ResultGradientTYPE,double> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; default: printf("err\treg_getVoxelBasedNMIGradientUsingPW\tThe result image gradient data type is not supported\n"); return; } } } /* *************************************************************** */ template<class PrecisionTYPE,class TargetTYPE,class ResultTYPE> void reg_getVoxelBasedNMIGradientUsingPW2( nifti_image *targetImage, nifti_image *resultImage, int type, nifti_image *resultImageGradient, int binning, PrecisionTYPE *logJointHistogram, PrecisionTYPE *entropies, nifti_image *nmiGradientImage, int *mask) { switch(resultImageGradient->datatype){ case NIFTI_TYPE_FLOAT32: reg_getVoxelBasedNMIGradientUsingPW3<PrecisionTYPE,TargetTYPE,ResultTYPE,float> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_FLOAT64: reg_getVoxelBasedNMIGradientUsingPW3<PrecisionTYPE,TargetTYPE,ResultTYPE,double> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; default: printf("err\treg_getVoxelBasedNMIGradientUsingPW\tThe result image gradient data type is not supported\n"); return; } } /* *************************************************************** */ template<class PrecisionTYPE,class TargetTYPE> void reg_getVoxelBasedNMIGradientUsingPW1( nifti_image *targetImage, nifti_image *resultImage, int type, nifti_image *resultImageGradient, int binning, PrecisionTYPE *logJointHistogram, PrecisionTYPE *entropies, nifti_image *nmiGradientImage, int *mask) { switch(resultImage->datatype){ case NIFTI_TYPE_UINT8: reg_getVoxelBasedNMIGradientUsingPW2<PrecisionTYPE,TargetTYPE,unsigned char> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_INT8: reg_getVoxelBasedNMIGradientUsingPW2<PrecisionTYPE,TargetTYPE,char> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_UINT16: reg_getVoxelBasedNMIGradientUsingPW2<PrecisionTYPE,TargetTYPE,unsigned short> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_INT16: reg_getVoxelBasedNMIGradientUsingPW2<PrecisionTYPE,TargetTYPE,short> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_UINT32: reg_getVoxelBasedNMIGradientUsingPW2<PrecisionTYPE,TargetTYPE,unsigned int> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_INT32: reg_getVoxelBasedNMIGradientUsingPW2<PrecisionTYPE,TargetTYPE,int> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_FLOAT32: reg_getVoxelBasedNMIGradientUsingPW2<PrecisionTYPE,TargetTYPE,float> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_FLOAT64: reg_getVoxelBasedNMIGradientUsingPW2<PrecisionTYPE,TargetTYPE,double> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; default: printf("err\treg_getVoxelBasedNMIGradientUsingPW\tThe result image data type is not supported\n"); return; } } /* *************************************************************** */ template<class PrecisionTYPE> void reg_getVoxelBasedNMIGradientUsingPW( nifti_image *targetImage, nifti_image *resultImage, int type, nifti_image *resultImageGradient, int binning, PrecisionTYPE *logJointHistogram, PrecisionTYPE *entropies, nifti_image *nmiGradientImage, int *mask) { switch(targetImage->datatype){ case NIFTI_TYPE_UINT8: reg_getVoxelBasedNMIGradientUsingPW1<PrecisionTYPE,unsigned char> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_INT8: reg_getVoxelBasedNMIGradientUsingPW1<PrecisionTYPE,char> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_UINT16: reg_getVoxelBasedNMIGradientUsingPW1<PrecisionTYPE,unsigned short> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_INT16: reg_getVoxelBasedNMIGradientUsingPW1<PrecisionTYPE,short> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_UINT32: reg_getVoxelBasedNMIGradientUsingPW1<PrecisionTYPE,unsigned int> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_INT32: reg_getVoxelBasedNMIGradientUsingPW1<PrecisionTYPE,int> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_FLOAT32: reg_getVoxelBasedNMIGradientUsingPW1<PrecisionTYPE,float> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; case NIFTI_TYPE_FLOAT64: reg_getVoxelBasedNMIGradientUsingPW1<PrecisionTYPE,double> (targetImage, resultImage, type, resultImageGradient, binning, logJointHistogram, entropies, nmiGradientImage, mask); break; default: printf("err\treg_getVoxelBasedNMIGradientUsingPW\tThe target image data type is not supported\n"); return; } } /* *************************************************************** */ template void reg_getVoxelBasedNMIGradientUsingPW<float>(nifti_image *, nifti_image *, int, nifti_image *, int, float *, float *, nifti_image *, int *); template void reg_getVoxelBasedNMIGradientUsingPW<double>(nifti_image *, nifti_image *,int, nifti_image *, int, double *, double *, nifti_image *, int *); /* *************************************************************** */ /* *************************************************************** */ #endif
[ "stefano.pedemonte@gmail.com" ]
stefano.pedemonte@gmail.com
e90f7cee0c1b01fa57e89f4b612cfe0f21dcd904
a06a9ae73af6690fabb1f7ec99298018dd549bb7
/GameServer/MonsterSetBase.h
0ec9a1138375dd8cb0409592e13fd40c45bfd1ff
[]
no_license
longstl/mus12
f76de65cca55e675392eac162dcc961531980f9f
9e1be111f505ac23695f7675fb9cefbd6fa876e9
refs/heads/master
2021-05-18T08:20:40.821655
2020-03-29T17:38:13
2020-03-29T17:38:13
null
0
0
null
null
null
null
UTF-8
C++
false
false
1,110
h
#ifndef MONSTERSETBASE_H #define MONSTERSETBASE_H #if _MSC_VER > 1000 #pragma once #endif // _MSC_VER > 1000 #include "user.h" enum eArrangeType { Arrange_NpcSpawn = 0, Arrange_MultiMonsterSpawn = 1, Arrange_SingleMonsterSpawn = 2, Arrange_ElementalMonsterMultiSpawn = 3 }; typedef struct MONSTER_POSITION { BYTE m_ArrangeType; // 0 WORD m_Type; // 2 BYTE m_MapNumber; // 4 BYTE m_Dis; // 5 BYTE m_X; // 6 BYTE m_Y; // 7 BYTE m_Dir; // 8 BYTE m_W; // 9 BYTE m_H; // A DWORD m_PentagramMainAttribute; } MONSTER_POSITION, * LPMONSTER_POSITION; class CMonsterSetBase { public: void Init(); void Delete(); void LoadSetBase(char* filename); CMonsterSetBase(); virtual ~CMonsterSetBase(); int GetPosition(int TableNum, short MapNumber, short& x, short& y); int GetBoxPosition(int mapnumber, int ax, int ay, int aw, int ah, short& mx, short& my); void SetBoxPosition(int TableNum, int mapnumber, int ax, int ay, int aw, int ah); void GetPentagramMainAttribute(int TableNum, int* iPentagramMainAtrribute); public: MONSTER_POSITION * m_Mp; // 4 int m_Count; // 10FE4 }; #endif
[ "adm.fael.hs@gmail.com" ]
adm.fael.hs@gmail.com
8b7ca0486c0c682befee424dea48b907ca344692
cc1701cadaa3b0e138e30740f98d48264e2010bd
/chrome/browser/installable/installed_webapp_bridge.h
79f7d64b69fff2879c43cc67ec47d4093349d637
[ "BSD-3-Clause" ]
permissive
dbuskariol-org/chromium
35d3d7a441009c6f8961227f1f7f7d4823a4207e
e91a999f13a0bda0aff594961762668196c4d22a
refs/heads/master
2023-05-03T10:50:11.717004
2020-06-26T03:33:12
2020-06-26T03:33:12
275,070,037
1
3
BSD-3-Clause
2020-06-26T04:04:30
2020-06-26T04:04:29
null
UTF-8
C++
false
false
1,268
h
// Copyright 2019 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef CHROME_BROWSER_INSTALLABLE_INSTALLED_WEBAPP_BRIDGE_H_ #define CHROME_BROWSER_INSTALLABLE_INSTALLED_WEBAPP_BRIDGE_H_ #include "base/callback.h" #include "base/macros.h" #include "chrome/browser/installable/installed_webapp_provider.h" #include "components/content_settings/core/common/content_settings.h" #include "components/content_settings/core/common/content_settings_types.h" class GURL; class InstalledWebappBridge { public: using PermissionResponseCallback = base::OnceCallback<void(ContentSetting)>; static InstalledWebappProvider::RuleList GetInstalledWebappPermissions( ContentSettingsType content_type); static void SetProviderInstance(InstalledWebappProvider* provider); // Returns whether permission should be delegate to TWA. static bool ShouldDelegateLocationPermission(const GURL& origin_url); static void DecidePermission(const GURL& origin_url, PermissionResponseCallback callback); private: DISALLOW_IMPLICIT_CONSTRUCTORS(InstalledWebappBridge); }; #endif // CHROME_BROWSER_INSTALLABLE_INSTALLED_WEBAPP_BRIDGE_H_
[ "commit-bot@chromium.org" ]
commit-bot@chromium.org
5563e3f8c05648271bd937aee6e9610d0d23fb90
0f2aafd92b12bd632cd94883e13af9aa6109b9c1
/tools/riak_fastproto/riak.pb.h
bcd15c69afb1e95f021504e158201683ea1472fc
[ "LicenseRef-scancode-warranty-disclaimer", "BSD-2-Clause" ]
permissive
wmoss/diesel
dc4e702c5a05ac9ac7e305acc4915811e55764e5
1ef6fe582e25a6c8422e2bf142bf15976b026adc
refs/heads/master
2021-01-21T00:38:56.114381
2012-01-26T19:49:35
2012-01-26T19:49:35
1,480,217
0
0
null
null
null
null
UTF-8
C++
false
true
138,099
h
// Generated by the protocol buffer compiler. DO NOT EDIT! // source: riak.proto #ifndef PROTOBUF_riak_2eproto__INCLUDED #define PROTOBUF_riak_2eproto__INCLUDED #include <string> #include <google/protobuf/stubs/common.h> #if GOOGLE_PROTOBUF_VERSION < 2003000 #error This file was generated by a newer version of protoc which is #error incompatible with your Protocol Buffer headers. Please update #error your headers. #endif #if 2003000 < GOOGLE_PROTOBUF_MIN_PROTOC_VERSION #error This file was generated by an older version of protoc which is #error incompatible with your Protocol Buffer headers. Please #error regenerate this file with a newer version of protoc. #endif #include <google/protobuf/generated_message_util.h> #include <google/protobuf/repeated_field.h> #include <google/protobuf/extension_set.h> #include <google/protobuf/generated_message_reflection.h> // @@protoc_insertion_point(includes) namespace riak_proto { // Internal implementation detail -- do not call these. void protobuf_AddDesc_riak_2eproto(); void protobuf_AssignDesc_riak_2eproto(); void protobuf_ShutdownFile_riak_2eproto(); class RpbErrorResp; class RpbGetClientIdResp; class RpbSetClientIdReq; class RpbGetServerInfoResp; class RpbGetReq; class RpbGetResp; class RpbPutReq; class RpbPutResp; class RpbDelReq; class RpbListBucketsResp; class RpbListKeysReq; class RpbListKeysResp; class RpbGetBucketReq; class RpbGetBucketResp; class RpbSetBucketReq; class RpbMapRedReq; class RpbMapRedResp; class RpbContent; class RpbPair; class RpbLink; class RpbBucketProps; // =================================================================== class RpbErrorResp : public ::google::protobuf::Message { public: RpbErrorResp(); virtual ~RpbErrorResp(); RpbErrorResp(const RpbErrorResp& from); inline RpbErrorResp& operator=(const RpbErrorResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbErrorResp& default_instance(); void Swap(RpbErrorResp* other); // implements Message ---------------------------------------------- RpbErrorResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbErrorResp& from); void MergeFrom(const RpbErrorResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes errmsg = 1; inline bool has_errmsg() const; inline void clear_errmsg(); static const int kErrmsgFieldNumber = 1; inline const ::std::string& errmsg() const; inline void set_errmsg(const ::std::string& value); inline void set_errmsg(const char* value); inline void set_errmsg(const void* value, size_t size); inline ::std::string* mutable_errmsg(); // required uint32 errcode = 2; inline bool has_errcode() const; inline void clear_errcode(); static const int kErrcodeFieldNumber = 2; inline ::google::protobuf::uint32 errcode() const; inline void set_errcode(::google::protobuf::uint32 value); // @@protoc_insertion_point(class_scope:riak_proto.RpbErrorResp) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* errmsg_; static const ::std::string _default_errmsg_; ::google::protobuf::uint32 errcode_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(2 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbErrorResp* default_instance_; }; // ------------------------------------------------------------------- class RpbGetClientIdResp : public ::google::protobuf::Message { public: RpbGetClientIdResp(); virtual ~RpbGetClientIdResp(); RpbGetClientIdResp(const RpbGetClientIdResp& from); inline RpbGetClientIdResp& operator=(const RpbGetClientIdResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbGetClientIdResp& default_instance(); void Swap(RpbGetClientIdResp* other); // implements Message ---------------------------------------------- RpbGetClientIdResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbGetClientIdResp& from); void MergeFrom(const RpbGetClientIdResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes client_id = 1; inline bool has_client_id() const; inline void clear_client_id(); static const int kClientIdFieldNumber = 1; inline const ::std::string& client_id() const; inline void set_client_id(const ::std::string& value); inline void set_client_id(const char* value); inline void set_client_id(const void* value, size_t size); inline ::std::string* mutable_client_id(); // @@protoc_insertion_point(class_scope:riak_proto.RpbGetClientIdResp) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* client_id_; static const ::std::string _default_client_id_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(1 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbGetClientIdResp* default_instance_; }; // ------------------------------------------------------------------- class RpbSetClientIdReq : public ::google::protobuf::Message { public: RpbSetClientIdReq(); virtual ~RpbSetClientIdReq(); RpbSetClientIdReq(const RpbSetClientIdReq& from); inline RpbSetClientIdReq& operator=(const RpbSetClientIdReq& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbSetClientIdReq& default_instance(); void Swap(RpbSetClientIdReq* other); // implements Message ---------------------------------------------- RpbSetClientIdReq* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbSetClientIdReq& from); void MergeFrom(const RpbSetClientIdReq& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes client_id = 1; inline bool has_client_id() const; inline void clear_client_id(); static const int kClientIdFieldNumber = 1; inline const ::std::string& client_id() const; inline void set_client_id(const ::std::string& value); inline void set_client_id(const char* value); inline void set_client_id(const void* value, size_t size); inline ::std::string* mutable_client_id(); // @@protoc_insertion_point(class_scope:riak_proto.RpbSetClientIdReq) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* client_id_; static const ::std::string _default_client_id_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(1 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbSetClientIdReq* default_instance_; }; // ------------------------------------------------------------------- class RpbGetServerInfoResp : public ::google::protobuf::Message { public: RpbGetServerInfoResp(); virtual ~RpbGetServerInfoResp(); RpbGetServerInfoResp(const RpbGetServerInfoResp& from); inline RpbGetServerInfoResp& operator=(const RpbGetServerInfoResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbGetServerInfoResp& default_instance(); void Swap(RpbGetServerInfoResp* other); // implements Message ---------------------------------------------- RpbGetServerInfoResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbGetServerInfoResp& from); void MergeFrom(const RpbGetServerInfoResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // optional bytes node = 1; inline bool has_node() const; inline void clear_node(); static const int kNodeFieldNumber = 1; inline const ::std::string& node() const; inline void set_node(const ::std::string& value); inline void set_node(const char* value); inline void set_node(const void* value, size_t size); inline ::std::string* mutable_node(); // optional bytes server_version = 2; inline bool has_server_version() const; inline void clear_server_version(); static const int kServerVersionFieldNumber = 2; inline const ::std::string& server_version() const; inline void set_server_version(const ::std::string& value); inline void set_server_version(const char* value); inline void set_server_version(const void* value, size_t size); inline ::std::string* mutable_server_version(); // @@protoc_insertion_point(class_scope:riak_proto.RpbGetServerInfoResp) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* node_; static const ::std::string _default_node_; ::std::string* server_version_; static const ::std::string _default_server_version_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(2 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbGetServerInfoResp* default_instance_; }; // ------------------------------------------------------------------- class RpbGetReq : public ::google::protobuf::Message { public: RpbGetReq(); virtual ~RpbGetReq(); RpbGetReq(const RpbGetReq& from); inline RpbGetReq& operator=(const RpbGetReq& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbGetReq& default_instance(); void Swap(RpbGetReq* other); // implements Message ---------------------------------------------- RpbGetReq* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbGetReq& from); void MergeFrom(const RpbGetReq& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes bucket = 1; inline bool has_bucket() const; inline void clear_bucket(); static const int kBucketFieldNumber = 1; inline const ::std::string& bucket() const; inline void set_bucket(const ::std::string& value); inline void set_bucket(const char* value); inline void set_bucket(const void* value, size_t size); inline ::std::string* mutable_bucket(); // required bytes key = 2; inline bool has_key() const; inline void clear_key(); static const int kKeyFieldNumber = 2; inline const ::std::string& key() const; inline void set_key(const ::std::string& value); inline void set_key(const char* value); inline void set_key(const void* value, size_t size); inline ::std::string* mutable_key(); // optional uint32 r = 3; inline bool has_r() const; inline void clear_r(); static const int kRFieldNumber = 3; inline ::google::protobuf::uint32 r() const; inline void set_r(::google::protobuf::uint32 value); // optional uint32 pr = 4; inline bool has_pr() const; inline void clear_pr(); static const int kPrFieldNumber = 4; inline ::google::protobuf::uint32 pr() const; inline void set_pr(::google::protobuf::uint32 value); // optional bool basic_quorum = 5; inline bool has_basic_quorum() const; inline void clear_basic_quorum(); static const int kBasicQuorumFieldNumber = 5; inline bool basic_quorum() const; inline void set_basic_quorum(bool value); // optional bool notfound_ok = 6; inline bool has_notfound_ok() const; inline void clear_notfound_ok(); static const int kNotfoundOkFieldNumber = 6; inline bool notfound_ok() const; inline void set_notfound_ok(bool value); // optional bytes if_modified = 7; inline bool has_if_modified() const; inline void clear_if_modified(); static const int kIfModifiedFieldNumber = 7; inline const ::std::string& if_modified() const; inline void set_if_modified(const ::std::string& value); inline void set_if_modified(const char* value); inline void set_if_modified(const void* value, size_t size); inline ::std::string* mutable_if_modified(); // optional bool head = 8; inline bool has_head() const; inline void clear_head(); static const int kHeadFieldNumber = 8; inline bool head() const; inline void set_head(bool value); // optional bool deletedvclock = 9; inline bool has_deletedvclock() const; inline void clear_deletedvclock(); static const int kDeletedvclockFieldNumber = 9; inline bool deletedvclock() const; inline void set_deletedvclock(bool value); // @@protoc_insertion_point(class_scope:riak_proto.RpbGetReq) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* bucket_; static const ::std::string _default_bucket_; ::std::string* key_; static const ::std::string _default_key_; ::google::protobuf::uint32 r_; ::google::protobuf::uint32 pr_; bool basic_quorum_; bool notfound_ok_; ::std::string* if_modified_; static const ::std::string _default_if_modified_; bool head_; bool deletedvclock_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(9 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbGetReq* default_instance_; }; // ------------------------------------------------------------------- class RpbGetResp : public ::google::protobuf::Message { public: RpbGetResp(); virtual ~RpbGetResp(); RpbGetResp(const RpbGetResp& from); inline RpbGetResp& operator=(const RpbGetResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbGetResp& default_instance(); void Swap(RpbGetResp* other); // implements Message ---------------------------------------------- RpbGetResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbGetResp& from); void MergeFrom(const RpbGetResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // repeated .riak_proto.RpbContent content = 1; inline int content_size() const; inline void clear_content(); static const int kContentFieldNumber = 1; inline const ::riak_proto::RpbContent& content(int index) const; inline ::riak_proto::RpbContent* mutable_content(int index); inline ::riak_proto::RpbContent* add_content(); inline const ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbContent >& content() const; inline ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbContent >* mutable_content(); // optional bytes vclock = 2; inline bool has_vclock() const; inline void clear_vclock(); static const int kVclockFieldNumber = 2; inline const ::std::string& vclock() const; inline void set_vclock(const ::std::string& value); inline void set_vclock(const char* value); inline void set_vclock(const void* value, size_t size); inline ::std::string* mutable_vclock(); // optional bool unchanged = 3; inline bool has_unchanged() const; inline void clear_unchanged(); static const int kUnchangedFieldNumber = 3; inline bool unchanged() const; inline void set_unchanged(bool value); // @@protoc_insertion_point(class_scope:riak_proto.RpbGetResp) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbContent > content_; ::std::string* vclock_; static const ::std::string _default_vclock_; bool unchanged_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(3 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbGetResp* default_instance_; }; // ------------------------------------------------------------------- class RpbPutReq : public ::google::protobuf::Message { public: RpbPutReq(); virtual ~RpbPutReq(); RpbPutReq(const RpbPutReq& from); inline RpbPutReq& operator=(const RpbPutReq& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbPutReq& default_instance(); void Swap(RpbPutReq* other); // implements Message ---------------------------------------------- RpbPutReq* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbPutReq& from); void MergeFrom(const RpbPutReq& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes bucket = 1; inline bool has_bucket() const; inline void clear_bucket(); static const int kBucketFieldNumber = 1; inline const ::std::string& bucket() const; inline void set_bucket(const ::std::string& value); inline void set_bucket(const char* value); inline void set_bucket(const void* value, size_t size); inline ::std::string* mutable_bucket(); // optional bytes key = 2; inline bool has_key() const; inline void clear_key(); static const int kKeyFieldNumber = 2; inline const ::std::string& key() const; inline void set_key(const ::std::string& value); inline void set_key(const char* value); inline void set_key(const void* value, size_t size); inline ::std::string* mutable_key(); // optional bytes vclock = 3; inline bool has_vclock() const; inline void clear_vclock(); static const int kVclockFieldNumber = 3; inline const ::std::string& vclock() const; inline void set_vclock(const ::std::string& value); inline void set_vclock(const char* value); inline void set_vclock(const void* value, size_t size); inline ::std::string* mutable_vclock(); // required .riak_proto.RpbContent content = 4; inline bool has_content() const; inline void clear_content(); static const int kContentFieldNumber = 4; inline const ::riak_proto::RpbContent& content() const; inline ::riak_proto::RpbContent* mutable_content(); // optional uint32 w = 5; inline bool has_w() const; inline void clear_w(); static const int kWFieldNumber = 5; inline ::google::protobuf::uint32 w() const; inline void set_w(::google::protobuf::uint32 value); // optional uint32 dw = 6; inline bool has_dw() const; inline void clear_dw(); static const int kDwFieldNumber = 6; inline ::google::protobuf::uint32 dw() const; inline void set_dw(::google::protobuf::uint32 value); // optional bool return_body = 7; inline bool has_return_body() const; inline void clear_return_body(); static const int kReturnBodyFieldNumber = 7; inline bool return_body() const; inline void set_return_body(bool value); // optional uint32 pw = 8; inline bool has_pw() const; inline void clear_pw(); static const int kPwFieldNumber = 8; inline ::google::protobuf::uint32 pw() const; inline void set_pw(::google::protobuf::uint32 value); // optional bool if_not_modified = 9; inline bool has_if_not_modified() const; inline void clear_if_not_modified(); static const int kIfNotModifiedFieldNumber = 9; inline bool if_not_modified() const; inline void set_if_not_modified(bool value); // optional bool if_none_match = 10; inline bool has_if_none_match() const; inline void clear_if_none_match(); static const int kIfNoneMatchFieldNumber = 10; inline bool if_none_match() const; inline void set_if_none_match(bool value); // optional bool return_head = 11; inline bool has_return_head() const; inline void clear_return_head(); static const int kReturnHeadFieldNumber = 11; inline bool return_head() const; inline void set_return_head(bool value); // @@protoc_insertion_point(class_scope:riak_proto.RpbPutReq) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* bucket_; static const ::std::string _default_bucket_; ::std::string* key_; static const ::std::string _default_key_; ::std::string* vclock_; static const ::std::string _default_vclock_; ::riak_proto::RpbContent* content_; ::google::protobuf::uint32 w_; ::google::protobuf::uint32 dw_; bool return_body_; ::google::protobuf::uint32 pw_; bool if_not_modified_; bool if_none_match_; bool return_head_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(11 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbPutReq* default_instance_; }; // ------------------------------------------------------------------- class RpbPutResp : public ::google::protobuf::Message { public: RpbPutResp(); virtual ~RpbPutResp(); RpbPutResp(const RpbPutResp& from); inline RpbPutResp& operator=(const RpbPutResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbPutResp& default_instance(); void Swap(RpbPutResp* other); // implements Message ---------------------------------------------- RpbPutResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbPutResp& from); void MergeFrom(const RpbPutResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // repeated .riak_proto.RpbContent content = 1; inline int content_size() const; inline void clear_content(); static const int kContentFieldNumber = 1; inline const ::riak_proto::RpbContent& content(int index) const; inline ::riak_proto::RpbContent* mutable_content(int index); inline ::riak_proto::RpbContent* add_content(); inline const ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbContent >& content() const; inline ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbContent >* mutable_content(); // optional bytes vclock = 2; inline bool has_vclock() const; inline void clear_vclock(); static const int kVclockFieldNumber = 2; inline const ::std::string& vclock() const; inline void set_vclock(const ::std::string& value); inline void set_vclock(const char* value); inline void set_vclock(const void* value, size_t size); inline ::std::string* mutable_vclock(); // optional bytes key = 3; inline bool has_key() const; inline void clear_key(); static const int kKeyFieldNumber = 3; inline const ::std::string& key() const; inline void set_key(const ::std::string& value); inline void set_key(const char* value); inline void set_key(const void* value, size_t size); inline ::std::string* mutable_key(); // @@protoc_insertion_point(class_scope:riak_proto.RpbPutResp) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbContent > content_; ::std::string* vclock_; static const ::std::string _default_vclock_; ::std::string* key_; static const ::std::string _default_key_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(3 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbPutResp* default_instance_; }; // ------------------------------------------------------------------- class RpbDelReq : public ::google::protobuf::Message { public: RpbDelReq(); virtual ~RpbDelReq(); RpbDelReq(const RpbDelReq& from); inline RpbDelReq& operator=(const RpbDelReq& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbDelReq& default_instance(); void Swap(RpbDelReq* other); // implements Message ---------------------------------------------- RpbDelReq* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbDelReq& from); void MergeFrom(const RpbDelReq& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes bucket = 1; inline bool has_bucket() const; inline void clear_bucket(); static const int kBucketFieldNumber = 1; inline const ::std::string& bucket() const; inline void set_bucket(const ::std::string& value); inline void set_bucket(const char* value); inline void set_bucket(const void* value, size_t size); inline ::std::string* mutable_bucket(); // required bytes key = 2; inline bool has_key() const; inline void clear_key(); static const int kKeyFieldNumber = 2; inline const ::std::string& key() const; inline void set_key(const ::std::string& value); inline void set_key(const char* value); inline void set_key(const void* value, size_t size); inline ::std::string* mutable_key(); // optional uint32 rw = 3; inline bool has_rw() const; inline void clear_rw(); static const int kRwFieldNumber = 3; inline ::google::protobuf::uint32 rw() const; inline void set_rw(::google::protobuf::uint32 value); // optional bytes vclock = 4; inline bool has_vclock() const; inline void clear_vclock(); static const int kVclockFieldNumber = 4; inline const ::std::string& vclock() const; inline void set_vclock(const ::std::string& value); inline void set_vclock(const char* value); inline void set_vclock(const void* value, size_t size); inline ::std::string* mutable_vclock(); // optional uint32 r = 5; inline bool has_r() const; inline void clear_r(); static const int kRFieldNumber = 5; inline ::google::protobuf::uint32 r() const; inline void set_r(::google::protobuf::uint32 value); // optional uint32 w = 6; inline bool has_w() const; inline void clear_w(); static const int kWFieldNumber = 6; inline ::google::protobuf::uint32 w() const; inline void set_w(::google::protobuf::uint32 value); // optional uint32 pr = 7; inline bool has_pr() const; inline void clear_pr(); static const int kPrFieldNumber = 7; inline ::google::protobuf::uint32 pr() const; inline void set_pr(::google::protobuf::uint32 value); // optional uint32 pw = 8; inline bool has_pw() const; inline void clear_pw(); static const int kPwFieldNumber = 8; inline ::google::protobuf::uint32 pw() const; inline void set_pw(::google::protobuf::uint32 value); // optional uint32 dw = 9; inline bool has_dw() const; inline void clear_dw(); static const int kDwFieldNumber = 9; inline ::google::protobuf::uint32 dw() const; inline void set_dw(::google::protobuf::uint32 value); // @@protoc_insertion_point(class_scope:riak_proto.RpbDelReq) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* bucket_; static const ::std::string _default_bucket_; ::std::string* key_; static const ::std::string _default_key_; ::google::protobuf::uint32 rw_; ::std::string* vclock_; static const ::std::string _default_vclock_; ::google::protobuf::uint32 r_; ::google::protobuf::uint32 w_; ::google::protobuf::uint32 pr_; ::google::protobuf::uint32 pw_; ::google::protobuf::uint32 dw_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(9 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbDelReq* default_instance_; }; // ------------------------------------------------------------------- class RpbListBucketsResp : public ::google::protobuf::Message { public: RpbListBucketsResp(); virtual ~RpbListBucketsResp(); RpbListBucketsResp(const RpbListBucketsResp& from); inline RpbListBucketsResp& operator=(const RpbListBucketsResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbListBucketsResp& default_instance(); void Swap(RpbListBucketsResp* other); // implements Message ---------------------------------------------- RpbListBucketsResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbListBucketsResp& from); void MergeFrom(const RpbListBucketsResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // repeated bytes buckets = 1; inline int buckets_size() const; inline void clear_buckets(); static const int kBucketsFieldNumber = 1; inline const ::std::string& buckets(int index) const; inline ::std::string* mutable_buckets(int index); inline void set_buckets(int index, const ::std::string& value); inline void set_buckets(int index, const char* value); inline void set_buckets(int index, const void* value, size_t size); inline ::std::string* add_buckets(); inline void add_buckets(const ::std::string& value); inline void add_buckets(const char* value); inline void add_buckets(const void* value, size_t size); inline const ::google::protobuf::RepeatedPtrField< ::std::string>& buckets() const; inline ::google::protobuf::RepeatedPtrField< ::std::string>* mutable_buckets(); // @@protoc_insertion_point(class_scope:riak_proto.RpbListBucketsResp) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::google::protobuf::RepeatedPtrField< ::std::string> buckets_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(1 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbListBucketsResp* default_instance_; }; // ------------------------------------------------------------------- class RpbListKeysReq : public ::google::protobuf::Message { public: RpbListKeysReq(); virtual ~RpbListKeysReq(); RpbListKeysReq(const RpbListKeysReq& from); inline RpbListKeysReq& operator=(const RpbListKeysReq& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbListKeysReq& default_instance(); void Swap(RpbListKeysReq* other); // implements Message ---------------------------------------------- RpbListKeysReq* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbListKeysReq& from); void MergeFrom(const RpbListKeysReq& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes bucket = 1; inline bool has_bucket() const; inline void clear_bucket(); static const int kBucketFieldNumber = 1; inline const ::std::string& bucket() const; inline void set_bucket(const ::std::string& value); inline void set_bucket(const char* value); inline void set_bucket(const void* value, size_t size); inline ::std::string* mutable_bucket(); // @@protoc_insertion_point(class_scope:riak_proto.RpbListKeysReq) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* bucket_; static const ::std::string _default_bucket_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(1 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbListKeysReq* default_instance_; }; // ------------------------------------------------------------------- class RpbListKeysResp : public ::google::protobuf::Message { public: RpbListKeysResp(); virtual ~RpbListKeysResp(); RpbListKeysResp(const RpbListKeysResp& from); inline RpbListKeysResp& operator=(const RpbListKeysResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbListKeysResp& default_instance(); void Swap(RpbListKeysResp* other); // implements Message ---------------------------------------------- RpbListKeysResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbListKeysResp& from); void MergeFrom(const RpbListKeysResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // repeated bytes keys = 1; inline int keys_size() const; inline void clear_keys(); static const int kKeysFieldNumber = 1; inline const ::std::string& keys(int index) const; inline ::std::string* mutable_keys(int index); inline void set_keys(int index, const ::std::string& value); inline void set_keys(int index, const char* value); inline void set_keys(int index, const void* value, size_t size); inline ::std::string* add_keys(); inline void add_keys(const ::std::string& value); inline void add_keys(const char* value); inline void add_keys(const void* value, size_t size); inline const ::google::protobuf::RepeatedPtrField< ::std::string>& keys() const; inline ::google::protobuf::RepeatedPtrField< ::std::string>* mutable_keys(); // optional bool done = 2; inline bool has_done() const; inline void clear_done(); static const int kDoneFieldNumber = 2; inline bool done() const; inline void set_done(bool value); // @@protoc_insertion_point(class_scope:riak_proto.RpbListKeysResp) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::google::protobuf::RepeatedPtrField< ::std::string> keys_; bool done_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(2 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbListKeysResp* default_instance_; }; // ------------------------------------------------------------------- class RpbGetBucketReq : public ::google::protobuf::Message { public: RpbGetBucketReq(); virtual ~RpbGetBucketReq(); RpbGetBucketReq(const RpbGetBucketReq& from); inline RpbGetBucketReq& operator=(const RpbGetBucketReq& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbGetBucketReq& default_instance(); void Swap(RpbGetBucketReq* other); // implements Message ---------------------------------------------- RpbGetBucketReq* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbGetBucketReq& from); void MergeFrom(const RpbGetBucketReq& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes bucket = 1; inline bool has_bucket() const; inline void clear_bucket(); static const int kBucketFieldNumber = 1; inline const ::std::string& bucket() const; inline void set_bucket(const ::std::string& value); inline void set_bucket(const char* value); inline void set_bucket(const void* value, size_t size); inline ::std::string* mutable_bucket(); // @@protoc_insertion_point(class_scope:riak_proto.RpbGetBucketReq) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* bucket_; static const ::std::string _default_bucket_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(1 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbGetBucketReq* default_instance_; }; // ------------------------------------------------------------------- class RpbGetBucketResp : public ::google::protobuf::Message { public: RpbGetBucketResp(); virtual ~RpbGetBucketResp(); RpbGetBucketResp(const RpbGetBucketResp& from); inline RpbGetBucketResp& operator=(const RpbGetBucketResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbGetBucketResp& default_instance(); void Swap(RpbGetBucketResp* other); // implements Message ---------------------------------------------- RpbGetBucketResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbGetBucketResp& from); void MergeFrom(const RpbGetBucketResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required .riak_proto.RpbBucketProps props = 1; inline bool has_props() const; inline void clear_props(); static const int kPropsFieldNumber = 1; inline const ::riak_proto::RpbBucketProps& props() const; inline ::riak_proto::RpbBucketProps* mutable_props(); // @@protoc_insertion_point(class_scope:riak_proto.RpbGetBucketResp) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::riak_proto::RpbBucketProps* props_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(1 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbGetBucketResp* default_instance_; }; // ------------------------------------------------------------------- class RpbSetBucketReq : public ::google::protobuf::Message { public: RpbSetBucketReq(); virtual ~RpbSetBucketReq(); RpbSetBucketReq(const RpbSetBucketReq& from); inline RpbSetBucketReq& operator=(const RpbSetBucketReq& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbSetBucketReq& default_instance(); void Swap(RpbSetBucketReq* other); // implements Message ---------------------------------------------- RpbSetBucketReq* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbSetBucketReq& from); void MergeFrom(const RpbSetBucketReq& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes bucket = 1; inline bool has_bucket() const; inline void clear_bucket(); static const int kBucketFieldNumber = 1; inline const ::std::string& bucket() const; inline void set_bucket(const ::std::string& value); inline void set_bucket(const char* value); inline void set_bucket(const void* value, size_t size); inline ::std::string* mutable_bucket(); // required .riak_proto.RpbBucketProps props = 2; inline bool has_props() const; inline void clear_props(); static const int kPropsFieldNumber = 2; inline const ::riak_proto::RpbBucketProps& props() const; inline ::riak_proto::RpbBucketProps* mutable_props(); // @@protoc_insertion_point(class_scope:riak_proto.RpbSetBucketReq) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* bucket_; static const ::std::string _default_bucket_; ::riak_proto::RpbBucketProps* props_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(2 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbSetBucketReq* default_instance_; }; // ------------------------------------------------------------------- class RpbMapRedReq : public ::google::protobuf::Message { public: RpbMapRedReq(); virtual ~RpbMapRedReq(); RpbMapRedReq(const RpbMapRedReq& from); inline RpbMapRedReq& operator=(const RpbMapRedReq& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbMapRedReq& default_instance(); void Swap(RpbMapRedReq* other); // implements Message ---------------------------------------------- RpbMapRedReq* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbMapRedReq& from); void MergeFrom(const RpbMapRedReq& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes request = 1; inline bool has_request() const; inline void clear_request(); static const int kRequestFieldNumber = 1; inline const ::std::string& request() const; inline void set_request(const ::std::string& value); inline void set_request(const char* value); inline void set_request(const void* value, size_t size); inline ::std::string* mutable_request(); // required bytes content_type = 2; inline bool has_content_type() const; inline void clear_content_type(); static const int kContentTypeFieldNumber = 2; inline const ::std::string& content_type() const; inline void set_content_type(const ::std::string& value); inline void set_content_type(const char* value); inline void set_content_type(const void* value, size_t size); inline ::std::string* mutable_content_type(); // @@protoc_insertion_point(class_scope:riak_proto.RpbMapRedReq) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* request_; static const ::std::string _default_request_; ::std::string* content_type_; static const ::std::string _default_content_type_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(2 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbMapRedReq* default_instance_; }; // ------------------------------------------------------------------- class RpbMapRedResp : public ::google::protobuf::Message { public: RpbMapRedResp(); virtual ~RpbMapRedResp(); RpbMapRedResp(const RpbMapRedResp& from); inline RpbMapRedResp& operator=(const RpbMapRedResp& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbMapRedResp& default_instance(); void Swap(RpbMapRedResp* other); // implements Message ---------------------------------------------- RpbMapRedResp* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbMapRedResp& from); void MergeFrom(const RpbMapRedResp& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // optional uint32 phase = 1; inline bool has_phase() const; inline void clear_phase(); static const int kPhaseFieldNumber = 1; inline ::google::protobuf::uint32 phase() const; inline void set_phase(::google::protobuf::uint32 value); // optional bytes response = 2; inline bool has_response() const; inline void clear_response(); static const int kResponseFieldNumber = 2; inline const ::std::string& response() const; inline void set_response(const ::std::string& value); inline void set_response(const char* value); inline void set_response(const void* value, size_t size); inline ::std::string* mutable_response(); // optional bool done = 3; inline bool has_done() const; inline void clear_done(); static const int kDoneFieldNumber = 3; inline bool done() const; inline void set_done(bool value); // @@protoc_insertion_point(class_scope:riak_proto.RpbMapRedResp) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::google::protobuf::uint32 phase_; ::std::string* response_; static const ::std::string _default_response_; bool done_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(3 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbMapRedResp* default_instance_; }; // ------------------------------------------------------------------- class RpbContent : public ::google::protobuf::Message { public: RpbContent(); virtual ~RpbContent(); RpbContent(const RpbContent& from); inline RpbContent& operator=(const RpbContent& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbContent& default_instance(); void Swap(RpbContent* other); // implements Message ---------------------------------------------- RpbContent* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbContent& from); void MergeFrom(const RpbContent& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes value = 1; inline bool has_value() const; inline void clear_value(); static const int kValueFieldNumber = 1; inline const ::std::string& value() const; inline void set_value(const ::std::string& value); inline void set_value(const char* value); inline void set_value(const void* value, size_t size); inline ::std::string* mutable_value(); // optional bytes content_type = 2; inline bool has_content_type() const; inline void clear_content_type(); static const int kContentTypeFieldNumber = 2; inline const ::std::string& content_type() const; inline void set_content_type(const ::std::string& value); inline void set_content_type(const char* value); inline void set_content_type(const void* value, size_t size); inline ::std::string* mutable_content_type(); // optional bytes charset = 3; inline bool has_charset() const; inline void clear_charset(); static const int kCharsetFieldNumber = 3; inline const ::std::string& charset() const; inline void set_charset(const ::std::string& value); inline void set_charset(const char* value); inline void set_charset(const void* value, size_t size); inline ::std::string* mutable_charset(); // optional bytes content_encoding = 4; inline bool has_content_encoding() const; inline void clear_content_encoding(); static const int kContentEncodingFieldNumber = 4; inline const ::std::string& content_encoding() const; inline void set_content_encoding(const ::std::string& value); inline void set_content_encoding(const char* value); inline void set_content_encoding(const void* value, size_t size); inline ::std::string* mutable_content_encoding(); // optional bytes vtag = 5; inline bool has_vtag() const; inline void clear_vtag(); static const int kVtagFieldNumber = 5; inline const ::std::string& vtag() const; inline void set_vtag(const ::std::string& value); inline void set_vtag(const char* value); inline void set_vtag(const void* value, size_t size); inline ::std::string* mutable_vtag(); // repeated .riak_proto.RpbLink links = 6; inline int links_size() const; inline void clear_links(); static const int kLinksFieldNumber = 6; inline const ::riak_proto::RpbLink& links(int index) const; inline ::riak_proto::RpbLink* mutable_links(int index); inline ::riak_proto::RpbLink* add_links(); inline const ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbLink >& links() const; inline ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbLink >* mutable_links(); // optional uint32 last_mod = 7; inline bool has_last_mod() const; inline void clear_last_mod(); static const int kLastModFieldNumber = 7; inline ::google::protobuf::uint32 last_mod() const; inline void set_last_mod(::google::protobuf::uint32 value); // optional uint32 last_mod_usecs = 8; inline bool has_last_mod_usecs() const; inline void clear_last_mod_usecs(); static const int kLastModUsecsFieldNumber = 8; inline ::google::protobuf::uint32 last_mod_usecs() const; inline void set_last_mod_usecs(::google::protobuf::uint32 value); // repeated .riak_proto.RpbPair usermeta = 9; inline int usermeta_size() const; inline void clear_usermeta(); static const int kUsermetaFieldNumber = 9; inline const ::riak_proto::RpbPair& usermeta(int index) const; inline ::riak_proto::RpbPair* mutable_usermeta(int index); inline ::riak_proto::RpbPair* add_usermeta(); inline const ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbPair >& usermeta() const; inline ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbPair >* mutable_usermeta(); // @@protoc_insertion_point(class_scope:riak_proto.RpbContent) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* value_; static const ::std::string _default_value_; ::std::string* content_type_; static const ::std::string _default_content_type_; ::std::string* charset_; static const ::std::string _default_charset_; ::std::string* content_encoding_; static const ::std::string _default_content_encoding_; ::std::string* vtag_; static const ::std::string _default_vtag_; ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbLink > links_; ::google::protobuf::uint32 last_mod_; ::google::protobuf::uint32 last_mod_usecs_; ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbPair > usermeta_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(9 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbContent* default_instance_; }; // ------------------------------------------------------------------- class RpbPair : public ::google::protobuf::Message { public: RpbPair(); virtual ~RpbPair(); RpbPair(const RpbPair& from); inline RpbPair& operator=(const RpbPair& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbPair& default_instance(); void Swap(RpbPair* other); // implements Message ---------------------------------------------- RpbPair* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbPair& from); void MergeFrom(const RpbPair& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // required bytes key = 1; inline bool has_key() const; inline void clear_key(); static const int kKeyFieldNumber = 1; inline const ::std::string& key() const; inline void set_key(const ::std::string& value); inline void set_key(const char* value); inline void set_key(const void* value, size_t size); inline ::std::string* mutable_key(); // optional bytes value = 2; inline bool has_value() const; inline void clear_value(); static const int kValueFieldNumber = 2; inline const ::std::string& value() const; inline void set_value(const ::std::string& value); inline void set_value(const char* value); inline void set_value(const void* value, size_t size); inline ::std::string* mutable_value(); // @@protoc_insertion_point(class_scope:riak_proto.RpbPair) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* key_; static const ::std::string _default_key_; ::std::string* value_; static const ::std::string _default_value_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(2 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbPair* default_instance_; }; // ------------------------------------------------------------------- class RpbLink : public ::google::protobuf::Message { public: RpbLink(); virtual ~RpbLink(); RpbLink(const RpbLink& from); inline RpbLink& operator=(const RpbLink& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbLink& default_instance(); void Swap(RpbLink* other); // implements Message ---------------------------------------------- RpbLink* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbLink& from); void MergeFrom(const RpbLink& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // optional bytes bucket = 1; inline bool has_bucket() const; inline void clear_bucket(); static const int kBucketFieldNumber = 1; inline const ::std::string& bucket() const; inline void set_bucket(const ::std::string& value); inline void set_bucket(const char* value); inline void set_bucket(const void* value, size_t size); inline ::std::string* mutable_bucket(); // optional bytes key = 2; inline bool has_key() const; inline void clear_key(); static const int kKeyFieldNumber = 2; inline const ::std::string& key() const; inline void set_key(const ::std::string& value); inline void set_key(const char* value); inline void set_key(const void* value, size_t size); inline ::std::string* mutable_key(); // optional bytes tag = 3; inline bool has_tag() const; inline void clear_tag(); static const int kTagFieldNumber = 3; inline const ::std::string& tag() const; inline void set_tag(const ::std::string& value); inline void set_tag(const char* value); inline void set_tag(const void* value, size_t size); inline ::std::string* mutable_tag(); // @@protoc_insertion_point(class_scope:riak_proto.RpbLink) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::std::string* bucket_; static const ::std::string _default_bucket_; ::std::string* key_; static const ::std::string _default_key_; ::std::string* tag_; static const ::std::string _default_tag_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(3 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbLink* default_instance_; }; // ------------------------------------------------------------------- class RpbBucketProps : public ::google::protobuf::Message { public: RpbBucketProps(); virtual ~RpbBucketProps(); RpbBucketProps(const RpbBucketProps& from); inline RpbBucketProps& operator=(const RpbBucketProps& from) { CopyFrom(from); return *this; } inline const ::google::protobuf::UnknownFieldSet& unknown_fields() const { return _unknown_fields_; } inline ::google::protobuf::UnknownFieldSet* mutable_unknown_fields() { return &_unknown_fields_; } static const ::google::protobuf::Descriptor* descriptor(); static const RpbBucketProps& default_instance(); void Swap(RpbBucketProps* other); // implements Message ---------------------------------------------- RpbBucketProps* New() const; void CopyFrom(const ::google::protobuf::Message& from); void MergeFrom(const ::google::protobuf::Message& from); void CopyFrom(const RpbBucketProps& from); void MergeFrom(const RpbBucketProps& from); void Clear(); bool IsInitialized() const; int ByteSize() const; bool MergePartialFromCodedStream( ::google::protobuf::io::CodedInputStream* input); void SerializeWithCachedSizes( ::google::protobuf::io::CodedOutputStream* output) const; ::google::protobuf::uint8* SerializeWithCachedSizesToArray(::google::protobuf::uint8* output) const; int GetCachedSize() const { return _cached_size_; } private: void SharedCtor(); void SharedDtor(); void SetCachedSize(int size) const; public: ::google::protobuf::Metadata GetMetadata() const; // nested types ---------------------------------------------------- // accessors ------------------------------------------------------- // optional uint32 n_val = 1; inline bool has_n_val() const; inline void clear_n_val(); static const int kNValFieldNumber = 1; inline ::google::protobuf::uint32 n_val() const; inline void set_n_val(::google::protobuf::uint32 value); // optional bool allow_mult = 2; inline bool has_allow_mult() const; inline void clear_allow_mult(); static const int kAllowMultFieldNumber = 2; inline bool allow_mult() const; inline void set_allow_mult(bool value); // @@protoc_insertion_point(class_scope:riak_proto.RpbBucketProps) private: ::google::protobuf::UnknownFieldSet _unknown_fields_; mutable int _cached_size_; ::google::protobuf::uint32 n_val_; bool allow_mult_; friend void protobuf_AddDesc_riak_2eproto(); friend void protobuf_AssignDesc_riak_2eproto(); friend void protobuf_ShutdownFile_riak_2eproto(); ::google::protobuf::uint32 _has_bits_[(2 + 31) / 32]; // WHY DOES & HAVE LOWER PRECEDENCE THAN != !? inline bool _has_bit(int index) const { return (_has_bits_[index / 32] & (1u << (index % 32))) != 0; } inline void _set_bit(int index) { _has_bits_[index / 32] |= (1u << (index % 32)); } inline void _clear_bit(int index) { _has_bits_[index / 32] &= ~(1u << (index % 32)); } void InitAsDefaultInstance(); static RpbBucketProps* default_instance_; }; // =================================================================== // =================================================================== // RpbErrorResp // required bytes errmsg = 1; inline bool RpbErrorResp::has_errmsg() const { return _has_bit(0); } inline void RpbErrorResp::clear_errmsg() { if (errmsg_ != &_default_errmsg_) { errmsg_->clear(); } _clear_bit(0); } inline const ::std::string& RpbErrorResp::errmsg() const { return *errmsg_; } inline void RpbErrorResp::set_errmsg(const ::std::string& value) { _set_bit(0); if (errmsg_ == &_default_errmsg_) { errmsg_ = new ::std::string; } errmsg_->assign(value); } inline void RpbErrorResp::set_errmsg(const char* value) { _set_bit(0); if (errmsg_ == &_default_errmsg_) { errmsg_ = new ::std::string; } errmsg_->assign(value); } inline void RpbErrorResp::set_errmsg(const void* value, size_t size) { _set_bit(0); if (errmsg_ == &_default_errmsg_) { errmsg_ = new ::std::string; } errmsg_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbErrorResp::mutable_errmsg() { _set_bit(0); if (errmsg_ == &_default_errmsg_) { errmsg_ = new ::std::string; } return errmsg_; } // required uint32 errcode = 2; inline bool RpbErrorResp::has_errcode() const { return _has_bit(1); } inline void RpbErrorResp::clear_errcode() { errcode_ = 0u; _clear_bit(1); } inline ::google::protobuf::uint32 RpbErrorResp::errcode() const { return errcode_; } inline void RpbErrorResp::set_errcode(::google::protobuf::uint32 value) { _set_bit(1); errcode_ = value; } // ------------------------------------------------------------------- // RpbGetClientIdResp // required bytes client_id = 1; inline bool RpbGetClientIdResp::has_client_id() const { return _has_bit(0); } inline void RpbGetClientIdResp::clear_client_id() { if (client_id_ != &_default_client_id_) { client_id_->clear(); } _clear_bit(0); } inline const ::std::string& RpbGetClientIdResp::client_id() const { return *client_id_; } inline void RpbGetClientIdResp::set_client_id(const ::std::string& value) { _set_bit(0); if (client_id_ == &_default_client_id_) { client_id_ = new ::std::string; } client_id_->assign(value); } inline void RpbGetClientIdResp::set_client_id(const char* value) { _set_bit(0); if (client_id_ == &_default_client_id_) { client_id_ = new ::std::string; } client_id_->assign(value); } inline void RpbGetClientIdResp::set_client_id(const void* value, size_t size) { _set_bit(0); if (client_id_ == &_default_client_id_) { client_id_ = new ::std::string; } client_id_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbGetClientIdResp::mutable_client_id() { _set_bit(0); if (client_id_ == &_default_client_id_) { client_id_ = new ::std::string; } return client_id_; } // ------------------------------------------------------------------- // RpbSetClientIdReq // required bytes client_id = 1; inline bool RpbSetClientIdReq::has_client_id() const { return _has_bit(0); } inline void RpbSetClientIdReq::clear_client_id() { if (client_id_ != &_default_client_id_) { client_id_->clear(); } _clear_bit(0); } inline const ::std::string& RpbSetClientIdReq::client_id() const { return *client_id_; } inline void RpbSetClientIdReq::set_client_id(const ::std::string& value) { _set_bit(0); if (client_id_ == &_default_client_id_) { client_id_ = new ::std::string; } client_id_->assign(value); } inline void RpbSetClientIdReq::set_client_id(const char* value) { _set_bit(0); if (client_id_ == &_default_client_id_) { client_id_ = new ::std::string; } client_id_->assign(value); } inline void RpbSetClientIdReq::set_client_id(const void* value, size_t size) { _set_bit(0); if (client_id_ == &_default_client_id_) { client_id_ = new ::std::string; } client_id_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbSetClientIdReq::mutable_client_id() { _set_bit(0); if (client_id_ == &_default_client_id_) { client_id_ = new ::std::string; } return client_id_; } // ------------------------------------------------------------------- // RpbGetServerInfoResp // optional bytes node = 1; inline bool RpbGetServerInfoResp::has_node() const { return _has_bit(0); } inline void RpbGetServerInfoResp::clear_node() { if (node_ != &_default_node_) { node_->clear(); } _clear_bit(0); } inline const ::std::string& RpbGetServerInfoResp::node() const { return *node_; } inline void RpbGetServerInfoResp::set_node(const ::std::string& value) { _set_bit(0); if (node_ == &_default_node_) { node_ = new ::std::string; } node_->assign(value); } inline void RpbGetServerInfoResp::set_node(const char* value) { _set_bit(0); if (node_ == &_default_node_) { node_ = new ::std::string; } node_->assign(value); } inline void RpbGetServerInfoResp::set_node(const void* value, size_t size) { _set_bit(0); if (node_ == &_default_node_) { node_ = new ::std::string; } node_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbGetServerInfoResp::mutable_node() { _set_bit(0); if (node_ == &_default_node_) { node_ = new ::std::string; } return node_; } // optional bytes server_version = 2; inline bool RpbGetServerInfoResp::has_server_version() const { return _has_bit(1); } inline void RpbGetServerInfoResp::clear_server_version() { if (server_version_ != &_default_server_version_) { server_version_->clear(); } _clear_bit(1); } inline const ::std::string& RpbGetServerInfoResp::server_version() const { return *server_version_; } inline void RpbGetServerInfoResp::set_server_version(const ::std::string& value) { _set_bit(1); if (server_version_ == &_default_server_version_) { server_version_ = new ::std::string; } server_version_->assign(value); } inline void RpbGetServerInfoResp::set_server_version(const char* value) { _set_bit(1); if (server_version_ == &_default_server_version_) { server_version_ = new ::std::string; } server_version_->assign(value); } inline void RpbGetServerInfoResp::set_server_version(const void* value, size_t size) { _set_bit(1); if (server_version_ == &_default_server_version_) { server_version_ = new ::std::string; } server_version_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbGetServerInfoResp::mutable_server_version() { _set_bit(1); if (server_version_ == &_default_server_version_) { server_version_ = new ::std::string; } return server_version_; } // ------------------------------------------------------------------- // RpbGetReq // required bytes bucket = 1; inline bool RpbGetReq::has_bucket() const { return _has_bit(0); } inline void RpbGetReq::clear_bucket() { if (bucket_ != &_default_bucket_) { bucket_->clear(); } _clear_bit(0); } inline const ::std::string& RpbGetReq::bucket() const { return *bucket_; } inline void RpbGetReq::set_bucket(const ::std::string& value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbGetReq::set_bucket(const char* value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbGetReq::set_bucket(const void* value, size_t size) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbGetReq::mutable_bucket() { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } return bucket_; } // required bytes key = 2; inline bool RpbGetReq::has_key() const { return _has_bit(1); } inline void RpbGetReq::clear_key() { if (key_ != &_default_key_) { key_->clear(); } _clear_bit(1); } inline const ::std::string& RpbGetReq::key() const { return *key_; } inline void RpbGetReq::set_key(const ::std::string& value) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbGetReq::set_key(const char* value) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbGetReq::set_key(const void* value, size_t size) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbGetReq::mutable_key() { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } return key_; } // optional uint32 r = 3; inline bool RpbGetReq::has_r() const { return _has_bit(2); } inline void RpbGetReq::clear_r() { r_ = 0u; _clear_bit(2); } inline ::google::protobuf::uint32 RpbGetReq::r() const { return r_; } inline void RpbGetReq::set_r(::google::protobuf::uint32 value) { _set_bit(2); r_ = value; } // optional uint32 pr = 4; inline bool RpbGetReq::has_pr() const { return _has_bit(3); } inline void RpbGetReq::clear_pr() { pr_ = 0u; _clear_bit(3); } inline ::google::protobuf::uint32 RpbGetReq::pr() const { return pr_; } inline void RpbGetReq::set_pr(::google::protobuf::uint32 value) { _set_bit(3); pr_ = value; } // optional bool basic_quorum = 5; inline bool RpbGetReq::has_basic_quorum() const { return _has_bit(4); } inline void RpbGetReq::clear_basic_quorum() { basic_quorum_ = false; _clear_bit(4); } inline bool RpbGetReq::basic_quorum() const { return basic_quorum_; } inline void RpbGetReq::set_basic_quorum(bool value) { _set_bit(4); basic_quorum_ = value; } // optional bool notfound_ok = 6; inline bool RpbGetReq::has_notfound_ok() const { return _has_bit(5); } inline void RpbGetReq::clear_notfound_ok() { notfound_ok_ = false; _clear_bit(5); } inline bool RpbGetReq::notfound_ok() const { return notfound_ok_; } inline void RpbGetReq::set_notfound_ok(bool value) { _set_bit(5); notfound_ok_ = value; } // optional bytes if_modified = 7; inline bool RpbGetReq::has_if_modified() const { return _has_bit(6); } inline void RpbGetReq::clear_if_modified() { if (if_modified_ != &_default_if_modified_) { if_modified_->clear(); } _clear_bit(6); } inline const ::std::string& RpbGetReq::if_modified() const { return *if_modified_; } inline void RpbGetReq::set_if_modified(const ::std::string& value) { _set_bit(6); if (if_modified_ == &_default_if_modified_) { if_modified_ = new ::std::string; } if_modified_->assign(value); } inline void RpbGetReq::set_if_modified(const char* value) { _set_bit(6); if (if_modified_ == &_default_if_modified_) { if_modified_ = new ::std::string; } if_modified_->assign(value); } inline void RpbGetReq::set_if_modified(const void* value, size_t size) { _set_bit(6); if (if_modified_ == &_default_if_modified_) { if_modified_ = new ::std::string; } if_modified_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbGetReq::mutable_if_modified() { _set_bit(6); if (if_modified_ == &_default_if_modified_) { if_modified_ = new ::std::string; } return if_modified_; } // optional bool head = 8; inline bool RpbGetReq::has_head() const { return _has_bit(7); } inline void RpbGetReq::clear_head() { head_ = false; _clear_bit(7); } inline bool RpbGetReq::head() const { return head_; } inline void RpbGetReq::set_head(bool value) { _set_bit(7); head_ = value; } // optional bool deletedvclock = 9; inline bool RpbGetReq::has_deletedvclock() const { return _has_bit(8); } inline void RpbGetReq::clear_deletedvclock() { deletedvclock_ = false; _clear_bit(8); } inline bool RpbGetReq::deletedvclock() const { return deletedvclock_; } inline void RpbGetReq::set_deletedvclock(bool value) { _set_bit(8); deletedvclock_ = value; } // ------------------------------------------------------------------- // RpbGetResp // repeated .riak_proto.RpbContent content = 1; inline int RpbGetResp::content_size() const { return content_.size(); } inline void RpbGetResp::clear_content() { content_.Clear(); } inline const ::riak_proto::RpbContent& RpbGetResp::content(int index) const { return content_.Get(index); } inline ::riak_proto::RpbContent* RpbGetResp::mutable_content(int index) { return content_.Mutable(index); } inline ::riak_proto::RpbContent* RpbGetResp::add_content() { return content_.Add(); } inline const ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbContent >& RpbGetResp::content() const { return content_; } inline ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbContent >* RpbGetResp::mutable_content() { return &content_; } // optional bytes vclock = 2; inline bool RpbGetResp::has_vclock() const { return _has_bit(1); } inline void RpbGetResp::clear_vclock() { if (vclock_ != &_default_vclock_) { vclock_->clear(); } _clear_bit(1); } inline const ::std::string& RpbGetResp::vclock() const { return *vclock_; } inline void RpbGetResp::set_vclock(const ::std::string& value) { _set_bit(1); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(value); } inline void RpbGetResp::set_vclock(const char* value) { _set_bit(1); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(value); } inline void RpbGetResp::set_vclock(const void* value, size_t size) { _set_bit(1); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbGetResp::mutable_vclock() { _set_bit(1); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } return vclock_; } // optional bool unchanged = 3; inline bool RpbGetResp::has_unchanged() const { return _has_bit(2); } inline void RpbGetResp::clear_unchanged() { unchanged_ = false; _clear_bit(2); } inline bool RpbGetResp::unchanged() const { return unchanged_; } inline void RpbGetResp::set_unchanged(bool value) { _set_bit(2); unchanged_ = value; } // ------------------------------------------------------------------- // RpbPutReq // required bytes bucket = 1; inline bool RpbPutReq::has_bucket() const { return _has_bit(0); } inline void RpbPutReq::clear_bucket() { if (bucket_ != &_default_bucket_) { bucket_->clear(); } _clear_bit(0); } inline const ::std::string& RpbPutReq::bucket() const { return *bucket_; } inline void RpbPutReq::set_bucket(const ::std::string& value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbPutReq::set_bucket(const char* value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbPutReq::set_bucket(const void* value, size_t size) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbPutReq::mutable_bucket() { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } return bucket_; } // optional bytes key = 2; inline bool RpbPutReq::has_key() const { return _has_bit(1); } inline void RpbPutReq::clear_key() { if (key_ != &_default_key_) { key_->clear(); } _clear_bit(1); } inline const ::std::string& RpbPutReq::key() const { return *key_; } inline void RpbPutReq::set_key(const ::std::string& value) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbPutReq::set_key(const char* value) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbPutReq::set_key(const void* value, size_t size) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbPutReq::mutable_key() { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } return key_; } // optional bytes vclock = 3; inline bool RpbPutReq::has_vclock() const { return _has_bit(2); } inline void RpbPutReq::clear_vclock() { if (vclock_ != &_default_vclock_) { vclock_->clear(); } _clear_bit(2); } inline const ::std::string& RpbPutReq::vclock() const { return *vclock_; } inline void RpbPutReq::set_vclock(const ::std::string& value) { _set_bit(2); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(value); } inline void RpbPutReq::set_vclock(const char* value) { _set_bit(2); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(value); } inline void RpbPutReq::set_vclock(const void* value, size_t size) { _set_bit(2); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbPutReq::mutable_vclock() { _set_bit(2); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } return vclock_; } // required .riak_proto.RpbContent content = 4; inline bool RpbPutReq::has_content() const { return _has_bit(3); } inline void RpbPutReq::clear_content() { if (content_ != NULL) content_->::riak_proto::RpbContent::Clear(); _clear_bit(3); } inline const ::riak_proto::RpbContent& RpbPutReq::content() const { return content_ != NULL ? *content_ : *default_instance_->content_; } inline ::riak_proto::RpbContent* RpbPutReq::mutable_content() { _set_bit(3); if (content_ == NULL) content_ = new ::riak_proto::RpbContent; return content_; } // optional uint32 w = 5; inline bool RpbPutReq::has_w() const { return _has_bit(4); } inline void RpbPutReq::clear_w() { w_ = 0u; _clear_bit(4); } inline ::google::protobuf::uint32 RpbPutReq::w() const { return w_; } inline void RpbPutReq::set_w(::google::protobuf::uint32 value) { _set_bit(4); w_ = value; } // optional uint32 dw = 6; inline bool RpbPutReq::has_dw() const { return _has_bit(5); } inline void RpbPutReq::clear_dw() { dw_ = 0u; _clear_bit(5); } inline ::google::protobuf::uint32 RpbPutReq::dw() const { return dw_; } inline void RpbPutReq::set_dw(::google::protobuf::uint32 value) { _set_bit(5); dw_ = value; } // optional bool return_body = 7; inline bool RpbPutReq::has_return_body() const { return _has_bit(6); } inline void RpbPutReq::clear_return_body() { return_body_ = false; _clear_bit(6); } inline bool RpbPutReq::return_body() const { return return_body_; } inline void RpbPutReq::set_return_body(bool value) { _set_bit(6); return_body_ = value; } // optional uint32 pw = 8; inline bool RpbPutReq::has_pw() const { return _has_bit(7); } inline void RpbPutReq::clear_pw() { pw_ = 0u; _clear_bit(7); } inline ::google::protobuf::uint32 RpbPutReq::pw() const { return pw_; } inline void RpbPutReq::set_pw(::google::protobuf::uint32 value) { _set_bit(7); pw_ = value; } // optional bool if_not_modified = 9; inline bool RpbPutReq::has_if_not_modified() const { return _has_bit(8); } inline void RpbPutReq::clear_if_not_modified() { if_not_modified_ = false; _clear_bit(8); } inline bool RpbPutReq::if_not_modified() const { return if_not_modified_; } inline void RpbPutReq::set_if_not_modified(bool value) { _set_bit(8); if_not_modified_ = value; } // optional bool if_none_match = 10; inline bool RpbPutReq::has_if_none_match() const { return _has_bit(9); } inline void RpbPutReq::clear_if_none_match() { if_none_match_ = false; _clear_bit(9); } inline bool RpbPutReq::if_none_match() const { return if_none_match_; } inline void RpbPutReq::set_if_none_match(bool value) { _set_bit(9); if_none_match_ = value; } // optional bool return_head = 11; inline bool RpbPutReq::has_return_head() const { return _has_bit(10); } inline void RpbPutReq::clear_return_head() { return_head_ = false; _clear_bit(10); } inline bool RpbPutReq::return_head() const { return return_head_; } inline void RpbPutReq::set_return_head(bool value) { _set_bit(10); return_head_ = value; } // ------------------------------------------------------------------- // RpbPutResp // repeated .riak_proto.RpbContent content = 1; inline int RpbPutResp::content_size() const { return content_.size(); } inline void RpbPutResp::clear_content() { content_.Clear(); } inline const ::riak_proto::RpbContent& RpbPutResp::content(int index) const { return content_.Get(index); } inline ::riak_proto::RpbContent* RpbPutResp::mutable_content(int index) { return content_.Mutable(index); } inline ::riak_proto::RpbContent* RpbPutResp::add_content() { return content_.Add(); } inline const ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbContent >& RpbPutResp::content() const { return content_; } inline ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbContent >* RpbPutResp::mutable_content() { return &content_; } // optional bytes vclock = 2; inline bool RpbPutResp::has_vclock() const { return _has_bit(1); } inline void RpbPutResp::clear_vclock() { if (vclock_ != &_default_vclock_) { vclock_->clear(); } _clear_bit(1); } inline const ::std::string& RpbPutResp::vclock() const { return *vclock_; } inline void RpbPutResp::set_vclock(const ::std::string& value) { _set_bit(1); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(value); } inline void RpbPutResp::set_vclock(const char* value) { _set_bit(1); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(value); } inline void RpbPutResp::set_vclock(const void* value, size_t size) { _set_bit(1); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbPutResp::mutable_vclock() { _set_bit(1); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } return vclock_; } // optional bytes key = 3; inline bool RpbPutResp::has_key() const { return _has_bit(2); } inline void RpbPutResp::clear_key() { if (key_ != &_default_key_) { key_->clear(); } _clear_bit(2); } inline const ::std::string& RpbPutResp::key() const { return *key_; } inline void RpbPutResp::set_key(const ::std::string& value) { _set_bit(2); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbPutResp::set_key(const char* value) { _set_bit(2); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbPutResp::set_key(const void* value, size_t size) { _set_bit(2); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbPutResp::mutable_key() { _set_bit(2); if (key_ == &_default_key_) { key_ = new ::std::string; } return key_; } // ------------------------------------------------------------------- // RpbDelReq // required bytes bucket = 1; inline bool RpbDelReq::has_bucket() const { return _has_bit(0); } inline void RpbDelReq::clear_bucket() { if (bucket_ != &_default_bucket_) { bucket_->clear(); } _clear_bit(0); } inline const ::std::string& RpbDelReq::bucket() const { return *bucket_; } inline void RpbDelReq::set_bucket(const ::std::string& value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbDelReq::set_bucket(const char* value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbDelReq::set_bucket(const void* value, size_t size) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbDelReq::mutable_bucket() { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } return bucket_; } // required bytes key = 2; inline bool RpbDelReq::has_key() const { return _has_bit(1); } inline void RpbDelReq::clear_key() { if (key_ != &_default_key_) { key_->clear(); } _clear_bit(1); } inline const ::std::string& RpbDelReq::key() const { return *key_; } inline void RpbDelReq::set_key(const ::std::string& value) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbDelReq::set_key(const char* value) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbDelReq::set_key(const void* value, size_t size) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbDelReq::mutable_key() { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } return key_; } // optional uint32 rw = 3; inline bool RpbDelReq::has_rw() const { return _has_bit(2); } inline void RpbDelReq::clear_rw() { rw_ = 0u; _clear_bit(2); } inline ::google::protobuf::uint32 RpbDelReq::rw() const { return rw_; } inline void RpbDelReq::set_rw(::google::protobuf::uint32 value) { _set_bit(2); rw_ = value; } // optional bytes vclock = 4; inline bool RpbDelReq::has_vclock() const { return _has_bit(3); } inline void RpbDelReq::clear_vclock() { if (vclock_ != &_default_vclock_) { vclock_->clear(); } _clear_bit(3); } inline const ::std::string& RpbDelReq::vclock() const { return *vclock_; } inline void RpbDelReq::set_vclock(const ::std::string& value) { _set_bit(3); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(value); } inline void RpbDelReq::set_vclock(const char* value) { _set_bit(3); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(value); } inline void RpbDelReq::set_vclock(const void* value, size_t size) { _set_bit(3); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } vclock_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbDelReq::mutable_vclock() { _set_bit(3); if (vclock_ == &_default_vclock_) { vclock_ = new ::std::string; } return vclock_; } // optional uint32 r = 5; inline bool RpbDelReq::has_r() const { return _has_bit(4); } inline void RpbDelReq::clear_r() { r_ = 0u; _clear_bit(4); } inline ::google::protobuf::uint32 RpbDelReq::r() const { return r_; } inline void RpbDelReq::set_r(::google::protobuf::uint32 value) { _set_bit(4); r_ = value; } // optional uint32 w = 6; inline bool RpbDelReq::has_w() const { return _has_bit(5); } inline void RpbDelReq::clear_w() { w_ = 0u; _clear_bit(5); } inline ::google::protobuf::uint32 RpbDelReq::w() const { return w_; } inline void RpbDelReq::set_w(::google::protobuf::uint32 value) { _set_bit(5); w_ = value; } // optional uint32 pr = 7; inline bool RpbDelReq::has_pr() const { return _has_bit(6); } inline void RpbDelReq::clear_pr() { pr_ = 0u; _clear_bit(6); } inline ::google::protobuf::uint32 RpbDelReq::pr() const { return pr_; } inline void RpbDelReq::set_pr(::google::protobuf::uint32 value) { _set_bit(6); pr_ = value; } // optional uint32 pw = 8; inline bool RpbDelReq::has_pw() const { return _has_bit(7); } inline void RpbDelReq::clear_pw() { pw_ = 0u; _clear_bit(7); } inline ::google::protobuf::uint32 RpbDelReq::pw() const { return pw_; } inline void RpbDelReq::set_pw(::google::protobuf::uint32 value) { _set_bit(7); pw_ = value; } // optional uint32 dw = 9; inline bool RpbDelReq::has_dw() const { return _has_bit(8); } inline void RpbDelReq::clear_dw() { dw_ = 0u; _clear_bit(8); } inline ::google::protobuf::uint32 RpbDelReq::dw() const { return dw_; } inline void RpbDelReq::set_dw(::google::protobuf::uint32 value) { _set_bit(8); dw_ = value; } // ------------------------------------------------------------------- // RpbListBucketsResp // repeated bytes buckets = 1; inline int RpbListBucketsResp::buckets_size() const { return buckets_.size(); } inline void RpbListBucketsResp::clear_buckets() { buckets_.Clear(); } inline const ::std::string& RpbListBucketsResp::buckets(int index) const { return buckets_.Get(index); } inline ::std::string* RpbListBucketsResp::mutable_buckets(int index) { return buckets_.Mutable(index); } inline void RpbListBucketsResp::set_buckets(int index, const ::std::string& value) { buckets_.Mutable(index)->assign(value); } inline void RpbListBucketsResp::set_buckets(int index, const char* value) { buckets_.Mutable(index)->assign(value); } inline void RpbListBucketsResp::set_buckets(int index, const void* value, size_t size) { buckets_.Mutable(index)->assign( reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbListBucketsResp::add_buckets() { return buckets_.Add(); } inline void RpbListBucketsResp::add_buckets(const ::std::string& value) { buckets_.Add()->assign(value); } inline void RpbListBucketsResp::add_buckets(const char* value) { buckets_.Add()->assign(value); } inline void RpbListBucketsResp::add_buckets(const void* value, size_t size) { buckets_.Add()->assign(reinterpret_cast<const char*>(value), size); } inline const ::google::protobuf::RepeatedPtrField< ::std::string>& RpbListBucketsResp::buckets() const { return buckets_; } inline ::google::protobuf::RepeatedPtrField< ::std::string>* RpbListBucketsResp::mutable_buckets() { return &buckets_; } // ------------------------------------------------------------------- // RpbListKeysReq // required bytes bucket = 1; inline bool RpbListKeysReq::has_bucket() const { return _has_bit(0); } inline void RpbListKeysReq::clear_bucket() { if (bucket_ != &_default_bucket_) { bucket_->clear(); } _clear_bit(0); } inline const ::std::string& RpbListKeysReq::bucket() const { return *bucket_; } inline void RpbListKeysReq::set_bucket(const ::std::string& value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbListKeysReq::set_bucket(const char* value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbListKeysReq::set_bucket(const void* value, size_t size) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbListKeysReq::mutable_bucket() { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } return bucket_; } // ------------------------------------------------------------------- // RpbListKeysResp // repeated bytes keys = 1; inline int RpbListKeysResp::keys_size() const { return keys_.size(); } inline void RpbListKeysResp::clear_keys() { keys_.Clear(); } inline const ::std::string& RpbListKeysResp::keys(int index) const { return keys_.Get(index); } inline ::std::string* RpbListKeysResp::mutable_keys(int index) { return keys_.Mutable(index); } inline void RpbListKeysResp::set_keys(int index, const ::std::string& value) { keys_.Mutable(index)->assign(value); } inline void RpbListKeysResp::set_keys(int index, const char* value) { keys_.Mutable(index)->assign(value); } inline void RpbListKeysResp::set_keys(int index, const void* value, size_t size) { keys_.Mutable(index)->assign( reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbListKeysResp::add_keys() { return keys_.Add(); } inline void RpbListKeysResp::add_keys(const ::std::string& value) { keys_.Add()->assign(value); } inline void RpbListKeysResp::add_keys(const char* value) { keys_.Add()->assign(value); } inline void RpbListKeysResp::add_keys(const void* value, size_t size) { keys_.Add()->assign(reinterpret_cast<const char*>(value), size); } inline const ::google::protobuf::RepeatedPtrField< ::std::string>& RpbListKeysResp::keys() const { return keys_; } inline ::google::protobuf::RepeatedPtrField< ::std::string>* RpbListKeysResp::mutable_keys() { return &keys_; } // optional bool done = 2; inline bool RpbListKeysResp::has_done() const { return _has_bit(1); } inline void RpbListKeysResp::clear_done() { done_ = false; _clear_bit(1); } inline bool RpbListKeysResp::done() const { return done_; } inline void RpbListKeysResp::set_done(bool value) { _set_bit(1); done_ = value; } // ------------------------------------------------------------------- // RpbGetBucketReq // required bytes bucket = 1; inline bool RpbGetBucketReq::has_bucket() const { return _has_bit(0); } inline void RpbGetBucketReq::clear_bucket() { if (bucket_ != &_default_bucket_) { bucket_->clear(); } _clear_bit(0); } inline const ::std::string& RpbGetBucketReq::bucket() const { return *bucket_; } inline void RpbGetBucketReq::set_bucket(const ::std::string& value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbGetBucketReq::set_bucket(const char* value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbGetBucketReq::set_bucket(const void* value, size_t size) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbGetBucketReq::mutable_bucket() { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } return bucket_; } // ------------------------------------------------------------------- // RpbGetBucketResp // required .riak_proto.RpbBucketProps props = 1; inline bool RpbGetBucketResp::has_props() const { return _has_bit(0); } inline void RpbGetBucketResp::clear_props() { if (props_ != NULL) props_->::riak_proto::RpbBucketProps::Clear(); _clear_bit(0); } inline const ::riak_proto::RpbBucketProps& RpbGetBucketResp::props() const { return props_ != NULL ? *props_ : *default_instance_->props_; } inline ::riak_proto::RpbBucketProps* RpbGetBucketResp::mutable_props() { _set_bit(0); if (props_ == NULL) props_ = new ::riak_proto::RpbBucketProps; return props_; } // ------------------------------------------------------------------- // RpbSetBucketReq // required bytes bucket = 1; inline bool RpbSetBucketReq::has_bucket() const { return _has_bit(0); } inline void RpbSetBucketReq::clear_bucket() { if (bucket_ != &_default_bucket_) { bucket_->clear(); } _clear_bit(0); } inline const ::std::string& RpbSetBucketReq::bucket() const { return *bucket_; } inline void RpbSetBucketReq::set_bucket(const ::std::string& value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbSetBucketReq::set_bucket(const char* value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbSetBucketReq::set_bucket(const void* value, size_t size) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbSetBucketReq::mutable_bucket() { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } return bucket_; } // required .riak_proto.RpbBucketProps props = 2; inline bool RpbSetBucketReq::has_props() const { return _has_bit(1); } inline void RpbSetBucketReq::clear_props() { if (props_ != NULL) props_->::riak_proto::RpbBucketProps::Clear(); _clear_bit(1); } inline const ::riak_proto::RpbBucketProps& RpbSetBucketReq::props() const { return props_ != NULL ? *props_ : *default_instance_->props_; } inline ::riak_proto::RpbBucketProps* RpbSetBucketReq::mutable_props() { _set_bit(1); if (props_ == NULL) props_ = new ::riak_proto::RpbBucketProps; return props_; } // ------------------------------------------------------------------- // RpbMapRedReq // required bytes request = 1; inline bool RpbMapRedReq::has_request() const { return _has_bit(0); } inline void RpbMapRedReq::clear_request() { if (request_ != &_default_request_) { request_->clear(); } _clear_bit(0); } inline const ::std::string& RpbMapRedReq::request() const { return *request_; } inline void RpbMapRedReq::set_request(const ::std::string& value) { _set_bit(0); if (request_ == &_default_request_) { request_ = new ::std::string; } request_->assign(value); } inline void RpbMapRedReq::set_request(const char* value) { _set_bit(0); if (request_ == &_default_request_) { request_ = new ::std::string; } request_->assign(value); } inline void RpbMapRedReq::set_request(const void* value, size_t size) { _set_bit(0); if (request_ == &_default_request_) { request_ = new ::std::string; } request_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbMapRedReq::mutable_request() { _set_bit(0); if (request_ == &_default_request_) { request_ = new ::std::string; } return request_; } // required bytes content_type = 2; inline bool RpbMapRedReq::has_content_type() const { return _has_bit(1); } inline void RpbMapRedReq::clear_content_type() { if (content_type_ != &_default_content_type_) { content_type_->clear(); } _clear_bit(1); } inline const ::std::string& RpbMapRedReq::content_type() const { return *content_type_; } inline void RpbMapRedReq::set_content_type(const ::std::string& value) { _set_bit(1); if (content_type_ == &_default_content_type_) { content_type_ = new ::std::string; } content_type_->assign(value); } inline void RpbMapRedReq::set_content_type(const char* value) { _set_bit(1); if (content_type_ == &_default_content_type_) { content_type_ = new ::std::string; } content_type_->assign(value); } inline void RpbMapRedReq::set_content_type(const void* value, size_t size) { _set_bit(1); if (content_type_ == &_default_content_type_) { content_type_ = new ::std::string; } content_type_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbMapRedReq::mutable_content_type() { _set_bit(1); if (content_type_ == &_default_content_type_) { content_type_ = new ::std::string; } return content_type_; } // ------------------------------------------------------------------- // RpbMapRedResp // optional uint32 phase = 1; inline bool RpbMapRedResp::has_phase() const { return _has_bit(0); } inline void RpbMapRedResp::clear_phase() { phase_ = 0u; _clear_bit(0); } inline ::google::protobuf::uint32 RpbMapRedResp::phase() const { return phase_; } inline void RpbMapRedResp::set_phase(::google::protobuf::uint32 value) { _set_bit(0); phase_ = value; } // optional bytes response = 2; inline bool RpbMapRedResp::has_response() const { return _has_bit(1); } inline void RpbMapRedResp::clear_response() { if (response_ != &_default_response_) { response_->clear(); } _clear_bit(1); } inline const ::std::string& RpbMapRedResp::response() const { return *response_; } inline void RpbMapRedResp::set_response(const ::std::string& value) { _set_bit(1); if (response_ == &_default_response_) { response_ = new ::std::string; } response_->assign(value); } inline void RpbMapRedResp::set_response(const char* value) { _set_bit(1); if (response_ == &_default_response_) { response_ = new ::std::string; } response_->assign(value); } inline void RpbMapRedResp::set_response(const void* value, size_t size) { _set_bit(1); if (response_ == &_default_response_) { response_ = new ::std::string; } response_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbMapRedResp::mutable_response() { _set_bit(1); if (response_ == &_default_response_) { response_ = new ::std::string; } return response_; } // optional bool done = 3; inline bool RpbMapRedResp::has_done() const { return _has_bit(2); } inline void RpbMapRedResp::clear_done() { done_ = false; _clear_bit(2); } inline bool RpbMapRedResp::done() const { return done_; } inline void RpbMapRedResp::set_done(bool value) { _set_bit(2); done_ = value; } // ------------------------------------------------------------------- // RpbContent // required bytes value = 1; inline bool RpbContent::has_value() const { return _has_bit(0); } inline void RpbContent::clear_value() { if (value_ != &_default_value_) { value_->clear(); } _clear_bit(0); } inline const ::std::string& RpbContent::value() const { return *value_; } inline void RpbContent::set_value(const ::std::string& value) { _set_bit(0); if (value_ == &_default_value_) { value_ = new ::std::string; } value_->assign(value); } inline void RpbContent::set_value(const char* value) { _set_bit(0); if (value_ == &_default_value_) { value_ = new ::std::string; } value_->assign(value); } inline void RpbContent::set_value(const void* value, size_t size) { _set_bit(0); if (value_ == &_default_value_) { value_ = new ::std::string; } value_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbContent::mutable_value() { _set_bit(0); if (value_ == &_default_value_) { value_ = new ::std::string; } return value_; } // optional bytes content_type = 2; inline bool RpbContent::has_content_type() const { return _has_bit(1); } inline void RpbContent::clear_content_type() { if (content_type_ != &_default_content_type_) { content_type_->clear(); } _clear_bit(1); } inline const ::std::string& RpbContent::content_type() const { return *content_type_; } inline void RpbContent::set_content_type(const ::std::string& value) { _set_bit(1); if (content_type_ == &_default_content_type_) { content_type_ = new ::std::string; } content_type_->assign(value); } inline void RpbContent::set_content_type(const char* value) { _set_bit(1); if (content_type_ == &_default_content_type_) { content_type_ = new ::std::string; } content_type_->assign(value); } inline void RpbContent::set_content_type(const void* value, size_t size) { _set_bit(1); if (content_type_ == &_default_content_type_) { content_type_ = new ::std::string; } content_type_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbContent::mutable_content_type() { _set_bit(1); if (content_type_ == &_default_content_type_) { content_type_ = new ::std::string; } return content_type_; } // optional bytes charset = 3; inline bool RpbContent::has_charset() const { return _has_bit(2); } inline void RpbContent::clear_charset() { if (charset_ != &_default_charset_) { charset_->clear(); } _clear_bit(2); } inline const ::std::string& RpbContent::charset() const { return *charset_; } inline void RpbContent::set_charset(const ::std::string& value) { _set_bit(2); if (charset_ == &_default_charset_) { charset_ = new ::std::string; } charset_->assign(value); } inline void RpbContent::set_charset(const char* value) { _set_bit(2); if (charset_ == &_default_charset_) { charset_ = new ::std::string; } charset_->assign(value); } inline void RpbContent::set_charset(const void* value, size_t size) { _set_bit(2); if (charset_ == &_default_charset_) { charset_ = new ::std::string; } charset_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbContent::mutable_charset() { _set_bit(2); if (charset_ == &_default_charset_) { charset_ = new ::std::string; } return charset_; } // optional bytes content_encoding = 4; inline bool RpbContent::has_content_encoding() const { return _has_bit(3); } inline void RpbContent::clear_content_encoding() { if (content_encoding_ != &_default_content_encoding_) { content_encoding_->clear(); } _clear_bit(3); } inline const ::std::string& RpbContent::content_encoding() const { return *content_encoding_; } inline void RpbContent::set_content_encoding(const ::std::string& value) { _set_bit(3); if (content_encoding_ == &_default_content_encoding_) { content_encoding_ = new ::std::string; } content_encoding_->assign(value); } inline void RpbContent::set_content_encoding(const char* value) { _set_bit(3); if (content_encoding_ == &_default_content_encoding_) { content_encoding_ = new ::std::string; } content_encoding_->assign(value); } inline void RpbContent::set_content_encoding(const void* value, size_t size) { _set_bit(3); if (content_encoding_ == &_default_content_encoding_) { content_encoding_ = new ::std::string; } content_encoding_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbContent::mutable_content_encoding() { _set_bit(3); if (content_encoding_ == &_default_content_encoding_) { content_encoding_ = new ::std::string; } return content_encoding_; } // optional bytes vtag = 5; inline bool RpbContent::has_vtag() const { return _has_bit(4); } inline void RpbContent::clear_vtag() { if (vtag_ != &_default_vtag_) { vtag_->clear(); } _clear_bit(4); } inline const ::std::string& RpbContent::vtag() const { return *vtag_; } inline void RpbContent::set_vtag(const ::std::string& value) { _set_bit(4); if (vtag_ == &_default_vtag_) { vtag_ = new ::std::string; } vtag_->assign(value); } inline void RpbContent::set_vtag(const char* value) { _set_bit(4); if (vtag_ == &_default_vtag_) { vtag_ = new ::std::string; } vtag_->assign(value); } inline void RpbContent::set_vtag(const void* value, size_t size) { _set_bit(4); if (vtag_ == &_default_vtag_) { vtag_ = new ::std::string; } vtag_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbContent::mutable_vtag() { _set_bit(4); if (vtag_ == &_default_vtag_) { vtag_ = new ::std::string; } return vtag_; } // repeated .riak_proto.RpbLink links = 6; inline int RpbContent::links_size() const { return links_.size(); } inline void RpbContent::clear_links() { links_.Clear(); } inline const ::riak_proto::RpbLink& RpbContent::links(int index) const { return links_.Get(index); } inline ::riak_proto::RpbLink* RpbContent::mutable_links(int index) { return links_.Mutable(index); } inline ::riak_proto::RpbLink* RpbContent::add_links() { return links_.Add(); } inline const ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbLink >& RpbContent::links() const { return links_; } inline ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbLink >* RpbContent::mutable_links() { return &links_; } // optional uint32 last_mod = 7; inline bool RpbContent::has_last_mod() const { return _has_bit(6); } inline void RpbContent::clear_last_mod() { last_mod_ = 0u; _clear_bit(6); } inline ::google::protobuf::uint32 RpbContent::last_mod() const { return last_mod_; } inline void RpbContent::set_last_mod(::google::protobuf::uint32 value) { _set_bit(6); last_mod_ = value; } // optional uint32 last_mod_usecs = 8; inline bool RpbContent::has_last_mod_usecs() const { return _has_bit(7); } inline void RpbContent::clear_last_mod_usecs() { last_mod_usecs_ = 0u; _clear_bit(7); } inline ::google::protobuf::uint32 RpbContent::last_mod_usecs() const { return last_mod_usecs_; } inline void RpbContent::set_last_mod_usecs(::google::protobuf::uint32 value) { _set_bit(7); last_mod_usecs_ = value; } // repeated .riak_proto.RpbPair usermeta = 9; inline int RpbContent::usermeta_size() const { return usermeta_.size(); } inline void RpbContent::clear_usermeta() { usermeta_.Clear(); } inline const ::riak_proto::RpbPair& RpbContent::usermeta(int index) const { return usermeta_.Get(index); } inline ::riak_proto::RpbPair* RpbContent::mutable_usermeta(int index) { return usermeta_.Mutable(index); } inline ::riak_proto::RpbPair* RpbContent::add_usermeta() { return usermeta_.Add(); } inline const ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbPair >& RpbContent::usermeta() const { return usermeta_; } inline ::google::protobuf::RepeatedPtrField< ::riak_proto::RpbPair >* RpbContent::mutable_usermeta() { return &usermeta_; } // ------------------------------------------------------------------- // RpbPair // required bytes key = 1; inline bool RpbPair::has_key() const { return _has_bit(0); } inline void RpbPair::clear_key() { if (key_ != &_default_key_) { key_->clear(); } _clear_bit(0); } inline const ::std::string& RpbPair::key() const { return *key_; } inline void RpbPair::set_key(const ::std::string& value) { _set_bit(0); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbPair::set_key(const char* value) { _set_bit(0); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbPair::set_key(const void* value, size_t size) { _set_bit(0); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbPair::mutable_key() { _set_bit(0); if (key_ == &_default_key_) { key_ = new ::std::string; } return key_; } // optional bytes value = 2; inline bool RpbPair::has_value() const { return _has_bit(1); } inline void RpbPair::clear_value() { if (value_ != &_default_value_) { value_->clear(); } _clear_bit(1); } inline const ::std::string& RpbPair::value() const { return *value_; } inline void RpbPair::set_value(const ::std::string& value) { _set_bit(1); if (value_ == &_default_value_) { value_ = new ::std::string; } value_->assign(value); } inline void RpbPair::set_value(const char* value) { _set_bit(1); if (value_ == &_default_value_) { value_ = new ::std::string; } value_->assign(value); } inline void RpbPair::set_value(const void* value, size_t size) { _set_bit(1); if (value_ == &_default_value_) { value_ = new ::std::string; } value_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbPair::mutable_value() { _set_bit(1); if (value_ == &_default_value_) { value_ = new ::std::string; } return value_; } // ------------------------------------------------------------------- // RpbLink // optional bytes bucket = 1; inline bool RpbLink::has_bucket() const { return _has_bit(0); } inline void RpbLink::clear_bucket() { if (bucket_ != &_default_bucket_) { bucket_->clear(); } _clear_bit(0); } inline const ::std::string& RpbLink::bucket() const { return *bucket_; } inline void RpbLink::set_bucket(const ::std::string& value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbLink::set_bucket(const char* value) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(value); } inline void RpbLink::set_bucket(const void* value, size_t size) { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } bucket_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbLink::mutable_bucket() { _set_bit(0); if (bucket_ == &_default_bucket_) { bucket_ = new ::std::string; } return bucket_; } // optional bytes key = 2; inline bool RpbLink::has_key() const { return _has_bit(1); } inline void RpbLink::clear_key() { if (key_ != &_default_key_) { key_->clear(); } _clear_bit(1); } inline const ::std::string& RpbLink::key() const { return *key_; } inline void RpbLink::set_key(const ::std::string& value) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbLink::set_key(const char* value) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(value); } inline void RpbLink::set_key(const void* value, size_t size) { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } key_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbLink::mutable_key() { _set_bit(1); if (key_ == &_default_key_) { key_ = new ::std::string; } return key_; } // optional bytes tag = 3; inline bool RpbLink::has_tag() const { return _has_bit(2); } inline void RpbLink::clear_tag() { if (tag_ != &_default_tag_) { tag_->clear(); } _clear_bit(2); } inline const ::std::string& RpbLink::tag() const { return *tag_; } inline void RpbLink::set_tag(const ::std::string& value) { _set_bit(2); if (tag_ == &_default_tag_) { tag_ = new ::std::string; } tag_->assign(value); } inline void RpbLink::set_tag(const char* value) { _set_bit(2); if (tag_ == &_default_tag_) { tag_ = new ::std::string; } tag_->assign(value); } inline void RpbLink::set_tag(const void* value, size_t size) { _set_bit(2); if (tag_ == &_default_tag_) { tag_ = new ::std::string; } tag_->assign(reinterpret_cast<const char*>(value), size); } inline ::std::string* RpbLink::mutable_tag() { _set_bit(2); if (tag_ == &_default_tag_) { tag_ = new ::std::string; } return tag_; } // ------------------------------------------------------------------- // RpbBucketProps // optional uint32 n_val = 1; inline bool RpbBucketProps::has_n_val() const { return _has_bit(0); } inline void RpbBucketProps::clear_n_val() { n_val_ = 0u; _clear_bit(0); } inline ::google::protobuf::uint32 RpbBucketProps::n_val() const { return n_val_; } inline void RpbBucketProps::set_n_val(::google::protobuf::uint32 value) { _set_bit(0); n_val_ = value; } // optional bool allow_mult = 2; inline bool RpbBucketProps::has_allow_mult() const { return _has_bit(1); } inline void RpbBucketProps::clear_allow_mult() { allow_mult_ = false; _clear_bit(1); } inline bool RpbBucketProps::allow_mult() const { return allow_mult_; } inline void RpbBucketProps::set_allow_mult(bool value) { _set_bit(1); allow_mult_ = value; } // @@protoc_insertion_point(namespace_scope) } // namespace riak_proto #ifndef SWIG namespace google { namespace protobuf { } // namespace google } // namespace protobuf #endif // SWIG // @@protoc_insertion_point(global_scope) #endif // PROTOBUF_riak_2eproto__INCLUDED
[ "jamie@bu.mp" ]
jamie@bu.mp
44fead8fdcad27b80b95a6ab027741d065f5b240
96d2adca82149fea0d6f2c08139683630b8c6116
/Client2D/Include/HK/UIHP.h
9f93843983300e1c05abbc2d7a700845f474d9d3
[]
no_license
kentsang45/Hollow2D
847c39b7881644f88b3d56e128e872192f0753cc
18c63318741ae8e3f31a528ac0235ceb1faa0e10
refs/heads/master
2022-06-12T16:14:32.862531
2020-05-04T16:38:19
2020-05-04T16:38:19
257,964,090
1
0
null
null
null
null
UTF-8
C++
false
false
495
h
#include "Object/GameObject.h" enum HP_STATE { HP_NORMAL, HP_BREAKING, HP_EMPTY, HP_END }; class UIHP : public CGameObject { GAMEOBJECT_DEFAULT(); public: UIHP(); ~UIHP(); private: class CUIAnimation* m_pUI; bool m_bOn; public: virtual bool Init(); virtual void Begin(); virtual void Update(float fTime); virtual void Render(float fTime); // void ClickCallback(float fTime); void BreakHP(); void Normal(); void Empty(); private: bool m_bEmpty; HP_STATE m_eState; };
[ "crobbitlucy@gmail.com" ]
crobbitlucy@gmail.com
df7e6a72d0b891b8d39ad148682c0c3172236f0f
d456b7d02dd6508356f703a290a265f1dbb67337
/Task08/spaceship.h
277a103ff5e5c503764b1b447ddaf9409fa5f3bf
[]
no_license
TheFlow0360/Grundlagen_Cpp
5188bb2fee876493212d2aca2b899143461ea79c
080ce5be9c00970303bea98340c2162e65bfe77e
refs/heads/master
2020-05-20T04:10:38.898254
2016-01-24T12:37:45
2016-01-24T12:37:45
33,592,871
0
0
null
null
null
null
UTF-8
C++
false
false
987
h
#ifndef SPACESHIP_H #define SPACESHIP_H #include "target.h" #define DEFAULT_HITPOINTS 25 #define DEFAULT_LASER_COUNT 2 #define DEFAULT_LAUNCHER_COUNT 0 class Spaceship : public Target { public: Spaceship(std::string name, Position pos) : Target( name, pos, DEFAULT_HITPOINTS ), m_lasers(DEFAULT_LASER_COUNT), m_launchers(DEFAULT_LAUNCHER_COUNT) {} Spaceship(std::string name, Position pos, unsigned int const hitpoints) : Target( name, pos, hitpoints ), m_lasers(DEFAULT_LASER_COUNT), m_launchers(DEFAULT_LAUNCHER_COUNT) {} Spaceship(std::string name, Position pos, unsigned int const hitpoints, unsigned int const lasers, unsigned int const launchers) : Target( name, pos, hitpoints ), m_lasers(lasers), m_launchers(launchers) {} virtual void attack( Target& target ); bool hasLauncher() const; virtual std::string toString() const; protected: unsigned int m_lasers; unsigned int m_launchers; virtual void explode(); }; #endif // SPACESHIP_H
[ "floriankochde@arcor.de" ]
floriankochde@arcor.de
ef79a15048a8f1b6141e9a2bdd6ce7012ebf7b50
1f0656fd38f91dc1f39392705c1abc632441a58a
/hdl_grabber.cpp
1afd1b5874f82f047e58f939bd422eb5ace5a35b
[]
no_license
wei-tian/pcap_to_pcd
e2c09b4b9346f675a9194e5119b3f46fb1f0c739
30efc94c39041ff7855a9aacd77349ff75d2fedc
refs/heads/master
2022-02-22T10:53:04.223595
2019-10-07T04:53:57
2019-10-07T04:53:57
null
0
0
null
null
null
null
UTF-8
C++
false
false
26,275
cpp
/* * Software License Agreement (BSD License) * * Point Cloud Library (PCL) - www.pointclouds.org * Copyright (c) 2012-, Open Perception, Inc. * Copyright (c) 2012,2015 The MITRE Corporation * * All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * * * Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 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. * * Neither the name of the copyright holder(s) nor the names of its * 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. * */ #include <pcl/console/print.h> #include <pcl/io/boost.h> //#include <pcl/io/hdl_grabber.h> #include <boost/version.hpp> #include <boost/foreach.hpp> #include <boost/property_tree/ptree.hpp> #include <boost/property_tree/xml_parser.hpp> #include <boost/array.hpp> #include <boost/bind.hpp> #include <boost/math/special_functions.hpp> #ifdef HAVE_PCAP #include <pcap.h> #endif // #ifdef HAVE_PCAP #include "vlp_grabber.h" double *pcl::HDLGrabber::cos_lookup_table_ = NULL; double *pcl::HDLGrabber::sin_lookup_table_ = NULL; using boost::asio::ip::udp; ///////////////////////////////////////////////////////////////////////////// pcl::HDLGrabber::HDLGrabber (const std::string& correctionsFile, const std::string& pcapFile) : last_azimuth_ (65000), current_scan_xyz_ (new pcl::PointCloud<pcl::PointXYZ> ()), current_sweep_xyz_ (new pcl::PointCloud<pcl::PointXYZ> ()), current_scan_xyzi_ (new pcl::PointCloud<pcl::PointXYZI> ()), current_sweep_xyzi_ (new pcl::PointCloud<pcl::PointXYZI> ()), current_scan_xyzrgba_ (new pcl::PointCloud<pcl::PointXYZRGBA> ()), current_sweep_xyzrgba_ (new pcl::PointCloud<pcl::PointXYZRGBA> ()), sweep_xyz_signal_ (), sweep_xyzrgba_signal_ (), sweep_xyzi_signal_ (), scan_xyz_signal_ (), scan_xyzrgba_signal_ (), scan_xyzi_signal_ (), hdl_data_ (), udp_listener_endpoint_ (), source_address_filter_ (), source_port_filter_ (443), hdl_read_socket_service_ (), hdl_read_socket_ (NULL), pcap_file_name_ (pcapFile), queue_consumer_thread_ (NULL), hdl_read_packet_thread_ (NULL), min_distance_threshold_ (0.0), max_distance_threshold_ (10000.0) { initialize (correctionsFile); } ///////////////////////////////////////////////////////////////////////////// pcl::HDLGrabber::HDLGrabber (const boost::asio::ip::address& ipAddress, const uint16_t port, const std::string& correctionsFile) : last_azimuth_ (65000), current_scan_xyz_ (new pcl::PointCloud<pcl::PointXYZ> ()), current_sweep_xyz_ (new pcl::PointCloud<pcl::PointXYZ> ()), current_scan_xyzi_ (new pcl::PointCloud<pcl::PointXYZI> ()), current_sweep_xyzi_ (new pcl::PointCloud<pcl::PointXYZI> ()), current_scan_xyzrgba_ (new pcl::PointCloud<pcl::PointXYZRGBA> ()), current_sweep_xyzrgba_ (new pcl::PointCloud<pcl::PointXYZRGBA> ()), sweep_xyz_signal_ (), sweep_xyzrgba_signal_ (), sweep_xyzi_signal_ (), scan_xyz_signal_ (), scan_xyzrgba_signal_ (), scan_xyzi_signal_ (), hdl_data_ (), udp_listener_endpoint_ (ipAddress, port), source_address_filter_ (), source_port_filter_ (443), hdl_read_socket_service_ (), hdl_read_socket_ (NULL), pcap_file_name_ (), queue_consumer_thread_ (NULL), hdl_read_packet_thread_ (NULL), min_distance_threshold_ (0.0), max_distance_threshold_ (10000.0) { initialize (correctionsFile); } ///////////////////////////////////////////////////////////////////////////// pcl::HDLGrabber::~HDLGrabber () throw () { stop (); disconnect_all_slots<sig_cb_velodyne_hdl_sweep_point_cloud_xyz> (); disconnect_all_slots<sig_cb_velodyne_hdl_sweep_point_cloud_xyzrgba> (); disconnect_all_slots<sig_cb_velodyne_hdl_sweep_point_cloud_xyzi> (); disconnect_all_slots<sig_cb_velodyne_hdl_scan_point_cloud_xyz> (); disconnect_all_slots<sig_cb_velodyne_hdl_scan_point_cloud_xyzrgba> (); disconnect_all_slots<sig_cb_velodyne_hdl_scan_point_cloud_xyzi> (); } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::initialize (const std::string& correctionsFile) { if (cos_lookup_table_ == NULL && sin_lookup_table_ == NULL) { cos_lookup_table_ = static_cast<double *> (malloc (HDL_NUM_ROT_ANGLES * sizeof (*cos_lookup_table_))); sin_lookup_table_ = static_cast<double *> (malloc (HDL_NUM_ROT_ANGLES * sizeof (*sin_lookup_table_))); for (uint16_t i = 0; i < HDL_NUM_ROT_ANGLES; i++) { double rad = (M_PI / 180.0) * (static_cast<double> (i) / 100.0); cos_lookup_table_[i] = std::cos (rad); sin_lookup_table_[i] = std::sin (rad); } } loadCorrectionsFile (correctionsFile); for (uint8_t i = 0; i < HDL_MAX_NUM_LASERS; i++) { HDLLaserCorrection correction = laser_corrections_[i]; laser_corrections_[i].sinVertOffsetCorrection = correction.verticalOffsetCorrection * correction.sinVertCorrection; laser_corrections_[i].cosVertOffsetCorrection = correction.verticalOffsetCorrection * correction.cosVertCorrection; } sweep_xyz_signal_ = createSignal<sig_cb_velodyne_hdl_sweep_point_cloud_xyz> (); sweep_xyzrgba_signal_ = createSignal<sig_cb_velodyne_hdl_sweep_point_cloud_xyzrgba> (); sweep_xyzi_signal_ = createSignal<sig_cb_velodyne_hdl_sweep_point_cloud_xyzi> (); scan_xyz_signal_ = createSignal<sig_cb_velodyne_hdl_scan_point_cloud_xyz> (); scan_xyzrgba_signal_ = createSignal<sig_cb_velodyne_hdl_scan_point_cloud_xyzrgba> (); scan_xyzi_signal_ = createSignal<sig_cb_velodyne_hdl_scan_point_cloud_xyzi> (); current_scan_xyz_.reset (new pcl::PointCloud<pcl::PointXYZ>); current_scan_xyzi_.reset (new pcl::PointCloud<pcl::PointXYZI>); current_sweep_xyz_.reset (new pcl::PointCloud<pcl::PointXYZ>); current_sweep_xyzi_.reset (new pcl::PointCloud<pcl::PointXYZI>); for (uint8_t i = 0; i < HDL_MAX_NUM_LASERS; i++) laser_rgb_mapping_[i].r = laser_rgb_mapping_[i].g = laser_rgb_mapping_[i].b = 0; if (laser_corrections_[32].distanceCorrection == 0.0) { for (uint8_t i = 0; i < 16; i++) { laser_rgb_mapping_[i * 2].b = static_cast<uint8_t> (i * 6 + 64); laser_rgb_mapping_[i * 2 + 1].b = static_cast<uint8_t> ( (i + 16) * 6 + 64); } } else { for (uint8_t i = 0; i < 16; i++) { laser_rgb_mapping_[i * 2].b = static_cast<uint8_t> (i * 3 + 64); laser_rgb_mapping_[i * 2 + 1].b = static_cast<uint8_t> ( (i + 16) * 3 + 64); } for (uint8_t i = 0; i < 16; i++) { laser_rgb_mapping_[i * 2 + 32].b = static_cast<uint8_t> (i * 3 + 160); laser_rgb_mapping_[i * 2 + 33].b = static_cast<uint8_t> ( (i + 16) * 3 + 160); } } } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::loadCorrectionsFile (const std::string& correctionsFile) { if (correctionsFile.empty ()) { loadHDL32Corrections (); return; } boost::property_tree::ptree pt; try { read_xml (correctionsFile, pt, boost::property_tree::xml_parser::trim_whitespace); } catch (boost::exception const&) { PCL_ERROR ("[pcl::HDLGrabber::loadCorrectionsFile] Error reading calibration file %s!\n", correctionsFile.c_str ()); return; } BOOST_FOREACH (boost::property_tree::ptree::value_type &v, pt.get_child ("boost_serialization.DB.points_")) { if (v.first == "item") { boost::property_tree::ptree points = v.second; BOOST_FOREACH(boost::property_tree::ptree::value_type &px, points) { if (px.first == "px") { boost::property_tree::ptree calibration_data = px.second; int32_t index = -1; double azimuth = 0, vert_correction = 0, dist_correction = 0, vert_offset_correction = 0, horiz_offset_correction = 0; BOOST_FOREACH (boost::property_tree::ptree::value_type &item, calibration_data) { if (item.first == "id_") index = atoi (item.second.data ().c_str ()); if (item.first == "rotCorrection_") azimuth = atof (item.second.data ().c_str ()); if (item.first == "vertCorrection_") vert_correction = atof (item.second.data ().c_str ()); if (item.first == "distCorrection_") dist_correction = atof (item.second.data ().c_str ()); if (item.first == "vertOffsetCorrection_") vert_offset_correction = atof (item.second.data ().c_str ()); if (item.first == "horizOffsetCorrection_") horiz_offset_correction = atof (item.second.data ().c_str ()); } if (index != -1) { laser_corrections_[index].azimuthCorrection = azimuth; laser_corrections_[index].verticalCorrection = vert_correction; laser_corrections_[index].distanceCorrection = dist_correction / 100.0; laser_corrections_[index].verticalOffsetCorrection = vert_offset_correction / 100.0; laser_corrections_[index].horizontalOffsetCorrection = horiz_offset_correction / 100.0; laser_corrections_[index].cosVertCorrection = std::cos (HDL_Grabber_toRadians(laser_corrections_[index].verticalCorrection)); laser_corrections_[index].sinVertCorrection = std::sin (HDL_Grabber_toRadians(laser_corrections_[index].verticalCorrection)); } } } } } } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::loadHDL32Corrections () { double hdl32_vertical_corrections[] = { -30.67, -9.3299999, -29.33, -8, -28, -6.6700001, -26.67, -5.3299999, -25.33, -4, -24, -2.6700001, -22.67, -1.33, -21.33, 0, -20, 1.33, -18.67, 2.6700001, -17.33, 4, -16, 5.3299999, -14.67, 6.6700001, -13.33, 8, -12, 9.3299999, -10.67, 10.67 }; for (uint8_t i = 0; i < HDL_LASER_PER_FIRING; i++) { laser_corrections_[i].azimuthCorrection = 0.0; laser_corrections_[i].distanceCorrection = 0.0; laser_corrections_[i].horizontalOffsetCorrection = 0.0; laser_corrections_[i].verticalOffsetCorrection = 0.0; laser_corrections_[i].verticalCorrection = hdl32_vertical_corrections[i]; laser_corrections_[i].sinVertCorrection = std::sin (HDL_Grabber_toRadians(hdl32_vertical_corrections[i])); laser_corrections_[i].cosVertCorrection = std::cos (HDL_Grabber_toRadians(hdl32_vertical_corrections[i])); } for (uint8_t i = HDL_LASER_PER_FIRING; i < HDL_MAX_NUM_LASERS; i++) { laser_corrections_[i].azimuthCorrection = 0.0; laser_corrections_[i].distanceCorrection = 0.0; laser_corrections_[i].horizontalOffsetCorrection = 0.0; laser_corrections_[i].verticalOffsetCorrection = 0.0; laser_corrections_[i].verticalCorrection = 0.0; laser_corrections_[i].sinVertCorrection = 0.0; laser_corrections_[i].cosVertCorrection = 1.0; } } ///////////////////////////////////////////////////////////////////////////// boost::asio::ip::address pcl::HDLGrabber::getDefaultNetworkAddress () { return (boost::asio::ip::address::from_string ("192.168.3.255")); } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::processVelodynePackets () { while (true) { uint8_t *data; if (!hdl_data_.dequeue (data)) return; toPointClouds (reinterpret_cast<HDLDataPacket *> (data)); free (data); } } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::toPointClouds (HDLDataPacket *dataPacket) { static uint32_t scan_counter = 0; static uint32_t sweep_counter = 0; if (sizeof(HDLLaserReturn) != 3) return; current_scan_xyz_.reset (new pcl::PointCloud<pcl::PointXYZ> ()); current_scan_xyzrgba_.reset (new pcl::PointCloud<pcl::PointXYZRGBA> ()); current_scan_xyzi_.reset (new pcl::PointCloud<pcl::PointXYZI> ()); time_t system_time; time (&system_time); time_t velodyne_time = (system_time & 0x00000000ffffffffl) << 32 | dataPacket->gpsTimestamp; current_scan_xyz_->header.stamp = velodyne_time; current_scan_xyzrgba_->header.stamp = velodyne_time; current_scan_xyzi_->header.stamp = velodyne_time; current_scan_xyz_->header.seq = scan_counter; current_scan_xyzrgba_->header.seq = scan_counter; current_scan_xyzi_->header.seq = scan_counter; scan_counter++; for (uint8_t i = 0; i < HDL_FIRING_PER_PKT; ++i) { HDLFiringData firing_data = dataPacket->firingData[i]; uint8_t offset = (firing_data.blockIdentifier == BLOCK_0_TO_31) ? 0 : 32; for (uint8_t j = 0; j < HDL_LASER_PER_FIRING; j++) { if (firing_data.rotationalPosition < last_azimuth_) { if (current_sweep_xyzrgba_->size () > 0) { current_sweep_xyz_->is_dense = current_sweep_xyzrgba_->is_dense = current_sweep_xyzi_->is_dense = false; current_sweep_xyz_->header.stamp = velodyne_time; current_sweep_xyzrgba_->header.stamp = velodyne_time; current_sweep_xyzi_->header.stamp = velodyne_time; current_sweep_xyz_->header.seq = sweep_counter; current_sweep_xyzrgba_->header.seq = sweep_counter; current_sweep_xyzi_->header.seq = sweep_counter; sweep_counter++; fireCurrentSweep (); } current_sweep_xyz_.reset (new pcl::PointCloud<pcl::PointXYZ> ()); current_sweep_xyzrgba_.reset (new pcl::PointCloud<pcl::PointXYZRGBA> ()); current_sweep_xyzi_.reset (new pcl::PointCloud<pcl::PointXYZI> ()); } PointXYZ xyz; PointXYZI xyzi; PointXYZRGBA xyzrgba; computeXYZI (xyzi, firing_data.rotationalPosition, firing_data.laserReturns[j], laser_corrections_[j + offset]); xyz.x = xyzrgba.x = xyzi.x; xyz.y = xyzrgba.y = xyzi.y; xyz.z = xyzrgba.z = xyzi.z; xyzrgba.rgba = laser_rgb_mapping_[j + offset].rgba; if (pcl_isnan (xyz.x) || pcl_isnan (xyz.y) || pcl_isnan (xyz.z)) { continue; } current_scan_xyz_->push_back (xyz); current_scan_xyzi_->push_back (xyzi); current_scan_xyzrgba_->push_back (xyzrgba); current_sweep_xyz_->push_back (xyz); current_sweep_xyzi_->push_back (xyzi); current_sweep_xyzrgba_->push_back (xyzrgba); last_azimuth_ = firing_data.rotationalPosition; } } current_scan_xyz_->is_dense = current_scan_xyzrgba_->is_dense = current_scan_xyzi_->is_dense = true; fireCurrentScan (dataPacket->firingData[0].rotationalPosition, dataPacket->firingData[11].rotationalPosition); } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::computeXYZI (pcl::PointXYZI& point, uint16_t azimuth, HDLLaserReturn laserReturn, HDLLaserCorrection correction) { double cos_azimuth, sin_azimuth; double distanceM = laserReturn.distance * 0.002; point.intensity = static_cast<float> (laserReturn.intensity); if (distanceM < min_distance_threshold_ || distanceM > max_distance_threshold_) { point.x = point.y = point.z = std::numeric_limits<float>::quiet_NaN (); return; } if (correction.azimuthCorrection == 0) { cos_azimuth = cos_lookup_table_[azimuth]; sin_azimuth = sin_lookup_table_[azimuth]; } else { double azimuthInRadians = HDL_Grabber_toRadians( (static_cast<double> (azimuth) / 100.0) - correction.azimuthCorrection); cos_azimuth = std::cos (azimuthInRadians); sin_azimuth = std::sin (azimuthInRadians); } distanceM += correction.distanceCorrection; double xyDistance = distanceM * correction.cosVertCorrection; point.x = static_cast<float> (xyDistance * sin_azimuth - correction.horizontalOffsetCorrection * cos_azimuth); point.y = static_cast<float> (xyDistance * cos_azimuth + correction.horizontalOffsetCorrection * sin_azimuth); point.z = static_cast<float> (distanceM * correction.sinVertCorrection + correction.verticalOffsetCorrection); if (point.x == 0 && point.y == 0 && point.z == 0) { point.x = point.y = point.z = std::numeric_limits<float>::quiet_NaN (); } } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::fireCurrentSweep () { if (sweep_xyz_signal_ != NULL && sweep_xyz_signal_->num_slots () > 0) sweep_xyz_signal_->operator() (current_sweep_xyz_); if (sweep_xyzrgba_signal_ != NULL && sweep_xyzrgba_signal_->num_slots () > 0) sweep_xyzrgba_signal_->operator() (current_sweep_xyzrgba_); if (sweep_xyzi_signal_ != NULL && sweep_xyzi_signal_->num_slots () > 0) sweep_xyzi_signal_->operator() (current_sweep_xyzi_); } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::fireCurrentScan (const uint16_t startAngle, const uint16_t endAngle) { const float start = static_cast<float> (startAngle) / 100.0f; const float end = static_cast<float> (endAngle) / 100.0f; if (scan_xyz_signal_->num_slots () > 0) scan_xyz_signal_->operator () (current_scan_xyz_, start, end); if (scan_xyzrgba_signal_->num_slots () > 0) scan_xyzrgba_signal_->operator () (current_scan_xyzrgba_, start, end); if (scan_xyzi_signal_->num_slots () > 0) scan_xyzi_signal_->operator() (current_scan_xyzi_, start, end); } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::enqueueHDLPacket (const uint8_t *data, std::size_t bytesReceived) { if (bytesReceived == 1206) { uint8_t *dup = static_cast<uint8_t *> (malloc (bytesReceived * sizeof(uint8_t))); memcpy (dup, data, bytesReceived * sizeof (uint8_t)); hdl_data_.enqueue (dup); } } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::start () { terminate_read_packet_thread_ = false; if (isRunning ()) return; queue_consumer_thread_ = new boost::thread (boost::bind (&HDLGrabber::processVelodynePackets, this)); if (pcap_file_name_.empty ()) { try { try { if (isAddressUnspecified (udp_listener_endpoint_.address ())) { udp_listener_endpoint_.address (getDefaultNetworkAddress ()); } if (udp_listener_endpoint_.port () == 0) { udp_listener_endpoint_.port (HDL_DATA_PORT); } hdl_read_socket_ = new udp::socket (hdl_read_socket_service_, udp_listener_endpoint_); } catch (const std::exception& bind) { delete hdl_read_socket_; hdl_read_socket_ = new udp::socket (hdl_read_socket_service_, udp::endpoint (boost::asio::ip::address_v4::any (), udp_listener_endpoint_.port ())); } hdl_read_socket_service_.run (); } catch (std::exception &e) { PCL_ERROR("[pcl::HDLGrabber::start] Unable to bind to socket! %s\n", e.what ()); return; } hdl_read_packet_thread_ = new boost::thread (boost::bind (&HDLGrabber::readPacketsFromSocket, this)); } else { #ifdef HAVE_PCAP hdl_read_packet_thread_ = new boost::thread (boost::bind (&HDLGrabber::readPacketsFromPcap, this)); std::cout << "HAVE_PCAP == true, calling readPacketsFromPcap()" << std::endl; #endif // #ifdef HAVE_PCAP } } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::stop () { terminate_read_packet_thread_ = true; hdl_data_.stopQueue (); if (hdl_read_packet_thread_ != NULL) { hdl_read_packet_thread_->interrupt (); hdl_read_packet_thread_->join (); delete hdl_read_packet_thread_; hdl_read_packet_thread_ = NULL; } if (queue_consumer_thread_ != NULL) { queue_consumer_thread_->join (); delete queue_consumer_thread_; queue_consumer_thread_ = NULL; } if (hdl_read_socket_ != NULL) { delete hdl_read_socket_; hdl_read_socket_ = NULL; } } ///////////////////////////////////////////////////////////////////////////// bool pcl::HDLGrabber::isRunning () const { return (!hdl_data_.isEmpty () || (hdl_read_packet_thread_ != NULL && !hdl_read_packet_thread_->timed_join (boost::posix_time::milliseconds (10)))); } ///////////////////////////////////////////////////////////////////////////// std::string pcl::HDLGrabber::getName () const { return (std::string ("Velodyne High Definition Laser (HDL) Grabber")); } ///////////////////////////////////////////////////////////////////////////// float pcl::HDLGrabber::getFramesPerSecond () const { return (0.0f); } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::filterPackets (const boost::asio::ip::address& ipAddress, const uint16_t port) { source_address_filter_ = ipAddress; source_port_filter_ = port; } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::setLaserColorRGB (const pcl::RGB& color, const uint8_t laserNumber) { if (laserNumber >= HDL_MAX_NUM_LASERS) return; laser_rgb_mapping_[laserNumber] = color; } ///////////////////////////////////////////////////////////////////////////// bool pcl::HDLGrabber::isAddressUnspecified (const boost::asio::ip::address& ipAddress) { #if BOOST_VERSION>=104700 return (ipAddress.is_unspecified ()); #else if (ipAddress.is_v4 ()) return (ipAddress.to_v4 ().to_ulong () == 0); return (false); #endif } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::setMaximumDistanceThreshold (float &maxThreshold) { max_distance_threshold_ = maxThreshold; } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::setMinimumDistanceThreshold (float &minThreshold) { min_distance_threshold_ = minThreshold; } ///////////////////////////////////////////////////////////////////////////// float pcl::HDLGrabber::getMaximumDistanceThreshold () { return (max_distance_threshold_); } ///////////////////////////////////////////////////////////////////////////// float pcl::HDLGrabber::getMinimumDistanceThreshold () { return (min_distance_threshold_); } ///////////////////////////////////////////////////////////////////////////// uint8_t pcl::HDLGrabber::getMaximumNumberOfLasers () const { return (HDL_MAX_NUM_LASERS); } ///////////////////////////////////////////////////////////////////////////// void pcl::HDLGrabber::readPacketsFromSocket () { uint8_t data[1500]; udp::endpoint sender_endpoint; while (!terminate_read_packet_thread_ && hdl_read_socket_->is_open ()) { size_t length = hdl_read_socket_->receive_from (boost::asio::buffer (data, 1500), sender_endpoint); if (isAddressUnspecified (source_address_filter_) || (source_address_filter_ == sender_endpoint.address () && source_port_filter_ == sender_endpoint.port ())) { enqueueHDLPacket (data, length); } } } ///////////////////////////////////////////////////////////////////////////// #ifdef HAVE_PCAP void pcl::HDLGrabber::readPacketsFromPcap () { struct pcap_pkthdr *header; const uint8_t *data; int8_t errbuff[PCAP_ERRBUF_SIZE]; pcap_t *pcap = pcap_open_offline (pcap_file_name_.c_str (), reinterpret_cast<char *> (errbuff)); struct bpf_program filter; std::ostringstream string_stream; string_stream << "udp "; if (!isAddressUnspecified (source_address_filter_)) { string_stream << " and src port " << source_port_filter_ << " and src host " << source_address_filter_.to_string (); } // PCAP_NETMASK_UNKNOWN should be 0xffffffff, but it's undefined in older PCAP versions if (pcap_compile (pcap, &filter, string_stream.str ().c_str (), 0, 0xffffffff) == -1) { PCL_WARN ("[pcl::HDLGrabber::readPacketsFromPcap] Issue compiling filter: %s.\n", pcap_geterr (pcap)); } else if (pcap_setfilter(pcap, &filter) == -1) { PCL_WARN ("[pcl::HDLGrabber::readPacketsFromPcap] Issue setting filter: %s.\n", pcap_geterr (pcap)); } struct timeval lasttime; uint64_t usec_delay; lasttime.tv_sec = 0; int32_t returnValue = pcap_next_ex (pcap, &header, &data); while (returnValue >= 0 && !terminate_read_packet_thread_) { if (lasttime.tv_sec == 0) { lasttime.tv_sec = header->ts.tv_sec; lasttime.tv_usec = header->ts.tv_usec; } if (lasttime.tv_usec > header->ts.tv_usec) { lasttime.tv_usec -= 1000000; lasttime.tv_sec++; } usec_delay = ((header->ts.tv_sec - lasttime.tv_sec) * 1000000) + (header->ts.tv_usec - lasttime.tv_usec); boost::this_thread::sleep (boost::posix_time::microseconds (usec_delay)); lasttime.tv_sec = header->ts.tv_sec; lasttime.tv_usec = header->ts.tv_usec; // The ETHERNET header is 42 bytes long; unnecessary enqueueHDLPacket (data + 42, header->len - 42); returnValue = pcap_next_ex (pcap, &header, &data); } } #endif //#ifdef HAVE_PCAP
[ "dbworth@gmail.com" ]
dbworth@gmail.com
d0b6698be69e61cda300c90a30a25cfa513667c7
f78280b9a29b183134497aefe7001131501d4fae
/include/vm/FilePool.h
4901b3079bcf6044b965904d007f7391e7cab53d
[ "MIT" ]
permissive
HugoGGuerrier/CPP_WOL
c073fdcf219ba391d1916846fdf9e7148195ef53
7eceb21c7e62f82ba98a0cae2782cfe546108114
refs/heads/master
2021-07-26T11:53:41.821695
2021-01-09T13:37:44
2021-01-09T13:37:44
268,039,332
3
0
null
null
null
null
UTF-8
C++
false
false
367
h
#ifndef CPP_WOL_FILEPOOL_H #define CPP_WOL_FILEPOOL_H #include <unordered_map> #include <string> #include "ast/Program.h" /** * This class contains all imported files and their AST to avoid importing multiple imports */ class FilePool { private: /** * The map that associate files with their programs */ public: }; #endif // CPP_WOL_FILEPOOL_H
[ "hugogguerrier@gmail.com" ]
hugogguerrier@gmail.com
8b5fdb08f6710bcfe72cf00d9344ee86b2a5359e
ae7d565cfd616b94407f080241ddb2d3c5c55199
/Queue/Dequeue/Dequeue.cpp
7cef9ec64c35a713e7df322de91b1b476c92c39a
[]
no_license
nikshinde1996/Algorithms_DataStructure
23bfd5a1d84cefd5af80949734e75d3392b39e64
3d5495333d5d5012eabc0f03ba26a3dce72eb43f
refs/heads/master
2020-04-15T14:03:56.331079
2017-12-31T05:01:13
2017-12-31T05:01:13
57,287,508
7
5
null
2017-12-31T05:01:14
2016-04-28T09:17:02
C++
UTF-8
C++
false
false
2,463
cpp
/* * Dequeue : Doubly ended queue. */ #include <iostream> #include <iomanip> #include <cstdlib> #include <algorithm> using namespace std; template <class T> class Dequeue{ public: struct node{ T data; node *next; }*head,*tail,*temp,*q,*t; Dequeue(); ~Dequeue(); node* newNode(T val){ node *t = new node; t->data = val; return t; } void Enque_at_head(){ T val; cout<<"Enter the element to insert : ";cin>>val; temp = newNode(val); if(head == NULL){ head = tail = temp; head->next = tail; }else{ temp->next = head; head = temp; } } void Enque_at_tail(){ T val; cout<<"Enter the element to insert : ";cin>>val; temp = newNode(val); if(head == NULL){ head = tail = temp; head->next = tail; }else{ tail->next = temp; tail = temp; } } void Deque_at_head(){ if(head==NULL){ cout<<"Dequeue allready empty!"<<endl; return; }else{ node* q = head; head = head->next; delete q; } } void Deque_at_tail(){ if(head==NULL){ cout<<"Dequeue allready empty!"<<endl; return; }else{ node* q = head; while(q->next!= tail){ q = q->next; } temp = tail; tail = q; delete temp; } } void Display(){ if(head == NULL){ cout<<"Dequeue allready empty."<<endl; return; }else{ node* q = head; while(q!=tail){ cout<<q->data<<" "; q = q->next; } cout<<q->data<<endl; } } void Peek_at_head(){ cout<<"Element at head : "<<head->data; } void Peek_at_tail(){ cout<<"Element at tail : "<<tail->data; } }; int main(){ int choice; do{ cout<<" 1) Enque at head. 2) Enque at tail. 3) Deque at head. 4) Deque at tail."<<endl; cout<<" 5) Display. 6) Peek at head. 7) Peek at tail 8) exit "<<endl; cout<<"Enter the choice to perform : "; cin>>choice; // Use switch contoll to call necessary function to use this code. }while(choice != 8 ); return 0; }
[ "creativenikhil20@gmail.com" ]
creativenikhil20@gmail.com
06bdf40fb07f02a5c1c8cb14bf39ec6aaad5ef4f
6ec9136692ca432eb3c02255974c56f7c17bcfca
/Final Practical/Final Practical/AppClass.cpp
8e6cf1e5b4771de54bc6f853fe52491f153e0219
[]
no_license
MGMolnar/IGME309-2198
89dbeb3a96f98c5a18a9c624b8ee763fa5faa1bd
a32effa43af0ed675194c62e87683684a59eb5d9
refs/heads/master
2022-11-28T18:49:53.332808
2020-08-09T20:58:10
2020-08-09T20:58:10
272,563,626
0
0
null
2020-06-15T23:20:07
2020-06-15T23:20:06
null
UTF-8
C++
false
false
4,050
cpp
#include "AppClass.h" using namespace Simplex; void Application::InitVariables(void) { //Set the position and target of the camera m_pCameraMngr->SetPositionTargetAndUpward( vector3(0.0f, 10.0f, 18.0f), //Position vector3(25.0f, -10.0f, 0.0f), //Target AXIS_Y); //Up aStar = new AStar(); for (int i = 0; i < 20; i++) { for (int j = 0; j < 20; j++) { if (!((i >= 3 && i <= 18) && j == glm::linearRand(3,18))) { vector3 v3Position = vector3(i, -1.0f, j); matrix4 m4Position = glm::translate(v3Position); aStar->cubes[i][j] = new MyEntity("Minecraft\\Cube.obj", "Cube"); aStar->cubes[i][j]->SetModelMatrix(m4Position); aStar->cubes[i][j]->SetPositon(v3Position); aStar->cubes[i][j]->SetDistanceLength((20 * 20) - (i * j)); } else { aStar->cubes[i][j] = nullptr; } } } //make sure the final cubes distacne is equal to 0 aStar->cubes[19][19]->SetDistanceLength(0); //set the current node for the astar to be the very first node //then go through and add the neighbors to all the nodes aStar->SetCurrentNode(aStar->cubes[0][0]); aStar->AddNeighbors(); //run the shortest path algorithm and gather //the shortest paths node usign both functions aStar->ShortestPath(aStar->cubes[0][0]); aStar->SetFinalNodes(aStar->cubes[19][19]); steve = new MyEntity("Minecraft\\Steve.obj"); matrix4 m4Position = glm::translate(vector3(19.5f, 0.0f, 19.5f)); steve->SetModelMatrix(m4Position); creeper = new MyEntity("Minecraft\\Creeper.obj"); m4Position = glm::translate(vector3(0.5f, 0.0f, 0.5f)); creeper->SetModelMatrix(m4Position); //set the starting node for the creeper to be the very first node creeperNode = aStar->shortestPath.size() - 1; m_pEntityMngr->Update(); } void Application::Update(void) { //Update the system so it knows how much time has passed since the last call m_pSystem->Update(); //Is the ArcBall active? ArcBall(); //Is the first person camera active? CameraRotation(); //if statement to make sure the current node is //within the bounds if (creeperNode > 0) { //check to see if the creeper and the currenet node are colliding if (creeper->IsColliding(aStar->shortestPath[creeperNode])) { //set the creepers movement to the current node reset the model matrix and then set the current node to the next node creeperMovement = (aStar->shortestPath[creeperNode]->GetRigidBody()->GetCenterGlobal()); creeper->SetModelMatrix(IDENTITY_M4); creeperNode--; } } //checks to make sure that the current node for the creeeper is still within the range. if (creeperNode >= 0) { //find the next node position for the creeper to move to then add that position to the movement vector for the creeper. creeperMovement += (aStar->shortestPath[creeperNode]->GetRigidBody()->GetCenterGlobal() - aStar->shortestPath[creeperNode + 1]->GetRigidBody()->GetCenterGlobal()) * .01f; //make sure the creeper is on top of the cubes creeperMovement.y = 0.0f; //translate the movement and add to the creepers model matrix move = glm::translate(creeperMovement); creeper->SetModelMatrix(move); } //once the node for the creeper hits //steve end the movement by setting the node equal to -1 if (creeper->IsColliding(steve)) { creeperNode = -1; } //Add objects to render list m_pEntityMngr->AddEntityToRenderList(-1, true); } void Application::Display(void) { // Clear the screen ClearScreen(); // draw a skybox m_pMeshMngr->AddSkyboxToRenderList(); steve->AddToRenderList(); creeper->AddToRenderList(); aStar->AddToRenderList(); for (int i = 0; i < aStar->shortestPath.size(); i++) { aStar->shortestPath[i]->GetRigidBody()->AddToRenderList(); } //render list call m_uRenderCallCount = m_pMeshMngr->Render(); //clear the render list m_pMeshMngr->ClearRenderList(); //draw gui, DrawGUI(); //end the current frame (internally swaps the front and back buffers) m_pWindow->display(); } void Application::Release(void) { delete aStar; aStar = nullptr; //release GUI ShutdownGUI(); }
[ "Marc@MARC-PC" ]
Marc@MARC-PC
8abdb28e2bbdd62aae069d11f6a17bc009ec5755
67ddedc825a4852349bb3e54f7d31cdeb34c64aa
/src/test/key_tests.cpp
0a7b8087d4c81f65cb84ed5465c9a2e677fc6a88
[ "MIT" ]
permissive
geranium-coin/geranium
3500632ed8e666d30d1b28494b1b7b5003c18ecc
93c08aa10ea151f4efd8337c1d5599ee7e8d58ea
refs/heads/master
2022-07-28T21:28:55.717800
2022-01-10T17:30:13
2022-01-10T17:30:13
440,774,432
2
0
MIT
2022-01-04T08:33:10
2021-12-22T07:39:53
C++
UTF-8
C++
false
false
9,227
cpp
// Copyright (c) 2012-2019 The Geranium Core developers // Distributed under the MIT software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #include <key.h> #include <key_io.h> #include <uint256.h> #include <util/system.h> #include <util/strencodings.h> #include <util/string.h> #include <test/util/setup_common.h> #include <string> #include <vector> #include <boost/test/unit_test.hpp> static const std::string strSecret1 = "5HxWvvfubhXpYYpS3tJkw6fq9jE9j18THftkZjHHfmFiWtmAbrj"; static const std::string strSecret2 = "5KC4ejrDjv152FGwP386VD1i2NYc5KkfSMyv1nGy1VGDxGHqVY3"; static const std::string strSecret1C = "Kwr371tjA9u2rFSMZjTNun2PXXP3WPZu2afRHTcta6KxEUdm1vEw"; static const std::string strSecret2C = "L3Hq7a8FEQwJkW1M2GNKDW28546Vp5miewcCzSqUD9kCAXrJdS3g"; static const std::string addr1 = "1QFqqMUD55ZV3PJEJZtaKCsQmjLT6JkjvJ"; static const std::string addr2 = "1F5y5E5FMc5YzdJtB9hLaUe43GDxEKXENJ"; static const std::string addr1C = "1NoJrossxPBKfCHuJXT4HadJrXRE9Fxiqs"; static const std::string addr2C = "1CRj2HyM1CXWzHAXLQtiGLyggNT9WQqsDs"; static const std::string strAddressBad = "1HV9Lc3sNHZxwj4Zk6fB38tEmBryq2cBiF"; BOOST_FIXTURE_TEST_SUITE(key_tests, BasicTestingSetup) BOOST_AUTO_TEST_CASE(key_test1) { CKey key1 = DecodeSecret(strSecret1); BOOST_CHECK(key1.IsValid() && !key1.IsCompressed()); CKey key2 = DecodeSecret(strSecret2); BOOST_CHECK(key2.IsValid() && !key2.IsCompressed()); CKey key1C = DecodeSecret(strSecret1C); BOOST_CHECK(key1C.IsValid() && key1C.IsCompressed()); CKey key2C = DecodeSecret(strSecret2C); BOOST_CHECK(key2C.IsValid() && key2C.IsCompressed()); CKey bad_key = DecodeSecret(strAddressBad); BOOST_CHECK(!bad_key.IsValid()); CPubKey pubkey1 = key1. GetPubKey(); CPubKey pubkey2 = key2. GetPubKey(); CPubKey pubkey1C = key1C.GetPubKey(); CPubKey pubkey2C = key2C.GetPubKey(); BOOST_CHECK(key1.VerifyPubKey(pubkey1)); BOOST_CHECK(!key1.VerifyPubKey(pubkey1C)); BOOST_CHECK(!key1.VerifyPubKey(pubkey2)); BOOST_CHECK(!key1.VerifyPubKey(pubkey2C)); BOOST_CHECK(!key1C.VerifyPubKey(pubkey1)); BOOST_CHECK(key1C.VerifyPubKey(pubkey1C)); BOOST_CHECK(!key1C.VerifyPubKey(pubkey2)); BOOST_CHECK(!key1C.VerifyPubKey(pubkey2C)); BOOST_CHECK(!key2.VerifyPubKey(pubkey1)); BOOST_CHECK(!key2.VerifyPubKey(pubkey1C)); BOOST_CHECK(key2.VerifyPubKey(pubkey2)); BOOST_CHECK(!key2.VerifyPubKey(pubkey2C)); BOOST_CHECK(!key2C.VerifyPubKey(pubkey1)); BOOST_CHECK(!key2C.VerifyPubKey(pubkey1C)); BOOST_CHECK(!key2C.VerifyPubKey(pubkey2)); BOOST_CHECK(key2C.VerifyPubKey(pubkey2C)); BOOST_CHECK(DecodeDestination(addr1) == CTxDestination(PKHash(pubkey1))); BOOST_CHECK(DecodeDestination(addr2) == CTxDestination(PKHash(pubkey2))); BOOST_CHECK(DecodeDestination(addr1C) == CTxDestination(PKHash(pubkey1C))); BOOST_CHECK(DecodeDestination(addr2C) == CTxDestination(PKHash(pubkey2C))); for (int n=0; n<16; n++) { std::string strMsg = strprintf("Very secret message %i: 11", n); uint256 hashMsg = Hash(strMsg.begin(), strMsg.end()); // normal signatures std::vector<unsigned char> sign1, sign2, sign1C, sign2C; BOOST_CHECK(key1.Sign (hashMsg, sign1)); BOOST_CHECK(key2.Sign (hashMsg, sign2)); BOOST_CHECK(key1C.Sign(hashMsg, sign1C)); BOOST_CHECK(key2C.Sign(hashMsg, sign2C)); BOOST_CHECK( pubkey1.Verify(hashMsg, sign1)); BOOST_CHECK(!pubkey1.Verify(hashMsg, sign2)); BOOST_CHECK( pubkey1.Verify(hashMsg, sign1C)); BOOST_CHECK(!pubkey1.Verify(hashMsg, sign2C)); BOOST_CHECK(!pubkey2.Verify(hashMsg, sign1)); BOOST_CHECK( pubkey2.Verify(hashMsg, sign2)); BOOST_CHECK(!pubkey2.Verify(hashMsg, sign1C)); BOOST_CHECK( pubkey2.Verify(hashMsg, sign2C)); BOOST_CHECK( pubkey1C.Verify(hashMsg, sign1)); BOOST_CHECK(!pubkey1C.Verify(hashMsg, sign2)); BOOST_CHECK( pubkey1C.Verify(hashMsg, sign1C)); BOOST_CHECK(!pubkey1C.Verify(hashMsg, sign2C)); BOOST_CHECK(!pubkey2C.Verify(hashMsg, sign1)); BOOST_CHECK( pubkey2C.Verify(hashMsg, sign2)); BOOST_CHECK(!pubkey2C.Verify(hashMsg, sign1C)); BOOST_CHECK( pubkey2C.Verify(hashMsg, sign2C)); // compact signatures (with key recovery) std::vector<unsigned char> csign1, csign2, csign1C, csign2C; BOOST_CHECK(key1.SignCompact (hashMsg, csign1)); BOOST_CHECK(key2.SignCompact (hashMsg, csign2)); BOOST_CHECK(key1C.SignCompact(hashMsg, csign1C)); BOOST_CHECK(key2C.SignCompact(hashMsg, csign2C)); CPubKey rkey1, rkey2, rkey1C, rkey2C; BOOST_CHECK(rkey1.RecoverCompact (hashMsg, csign1)); BOOST_CHECK(rkey2.RecoverCompact (hashMsg, csign2)); BOOST_CHECK(rkey1C.RecoverCompact(hashMsg, csign1C)); BOOST_CHECK(rkey2C.RecoverCompact(hashMsg, csign2C)); BOOST_CHECK(rkey1 == pubkey1); BOOST_CHECK(rkey2 == pubkey2); BOOST_CHECK(rkey1C == pubkey1C); BOOST_CHECK(rkey2C == pubkey2C); } // test deterministic signing std::vector<unsigned char> detsig, detsigc; std::string strMsg = "Very deterministic message"; uint256 hashMsg = Hash(strMsg.begin(), strMsg.end()); BOOST_CHECK(key1.Sign(hashMsg, detsig)); BOOST_CHECK(key1C.Sign(hashMsg, detsigc)); BOOST_CHECK(detsig == detsigc); BOOST_CHECK(detsig == ParseHex("304402205dbbddda71772d95ce91cd2d14b592cfbc1dd0aabd6a394b6c2d377bbe59d31d022014ddda21494a4e221f0824f0b8b924c43fa43c0ad57dccdaa11f81a6bd4582f6")); BOOST_CHECK(key2.Sign(hashMsg, detsig)); BOOST_CHECK(key2C.Sign(hashMsg, detsigc)); BOOST_CHECK(detsig == detsigc); BOOST_CHECK(detsig == ParseHex("3044022052d8a32079c11e79db95af63bb9600c5b04f21a9ca33dc129c2bfa8ac9dc1cd5022061d8ae5e0f6c1a16bde3719c64c2fd70e404b6428ab9a69566962e8771b5944d")); BOOST_CHECK(key1.SignCompact(hashMsg, detsig)); BOOST_CHECK(key1C.SignCompact(hashMsg, detsigc)); BOOST_CHECK(detsig == ParseHex("1c5dbbddda71772d95ce91cd2d14b592cfbc1dd0aabd6a394b6c2d377bbe59d31d14ddda21494a4e221f0824f0b8b924c43fa43c0ad57dccdaa11f81a6bd4582f6")); BOOST_CHECK(detsigc == ParseHex("205dbbddda71772d95ce91cd2d14b592cfbc1dd0aabd6a394b6c2d377bbe59d31d14ddda21494a4e221f0824f0b8b924c43fa43c0ad57dccdaa11f81a6bd4582f6")); BOOST_CHECK(key2.SignCompact(hashMsg, detsig)); BOOST_CHECK(key2C.SignCompact(hashMsg, detsigc)); BOOST_CHECK(detsig == ParseHex("1c52d8a32079c11e79db95af63bb9600c5b04f21a9ca33dc129c2bfa8ac9dc1cd561d8ae5e0f6c1a16bde3719c64c2fd70e404b6428ab9a69566962e8771b5944d")); BOOST_CHECK(detsigc == ParseHex("2052d8a32079c11e79db95af63bb9600c5b04f21a9ca33dc129c2bfa8ac9dc1cd561d8ae5e0f6c1a16bde3719c64c2fd70e404b6428ab9a69566962e8771b5944d")); } BOOST_AUTO_TEST_CASE(key_signature_tests) { // When entropy is specified, we should see at least one high R signature within 20 signatures CKey key = DecodeSecret(strSecret1); std::string msg = "A message to be signed"; uint256 msg_hash = Hash(msg.begin(), msg.end()); std::vector<unsigned char> sig; bool found = false; for (int i = 1; i <=20; ++i) { sig.clear(); BOOST_CHECK(key.Sign(msg_hash, sig, false, i)); found = sig[3] == 0x21 && sig[4] == 0x00; if (found) { break; } } BOOST_CHECK(found); // When entropy is not specified, we should always see low R signatures that are less than 70 bytes in 256 tries // We should see at least one signature that is less than 70 bytes. found = true; bool found_small = false; for (int i = 0; i < 256; ++i) { sig.clear(); std::string msg = "A message to be signed" + ToString(i); msg_hash = Hash(msg.begin(), msg.end()); BOOST_CHECK(key.Sign(msg_hash, sig)); found = sig[3] == 0x20; BOOST_CHECK(sig.size() <= 70); found_small |= sig.size() < 70; } BOOST_CHECK(found); BOOST_CHECK(found_small); } BOOST_AUTO_TEST_CASE(key_key_negation) { // create a dummy hash for signature comparison unsigned char rnd[8]; std::string str = "Geranium key verification\n"; GetRandBytes(rnd, sizeof(rnd)); uint256 hash; CHash256().Write((unsigned char*)str.data(), str.size()).Write(rnd, sizeof(rnd)).Finalize(hash.begin()); // import the static test key CKey key = DecodeSecret(strSecret1C); // create a signature std::vector<unsigned char> vch_sig; std::vector<unsigned char> vch_sig_cmp; key.Sign(hash, vch_sig); // negate the key twice BOOST_CHECK(key.GetPubKey().data()[0] == 0x03); key.Negate(); // after the first negation, the signature must be different key.Sign(hash, vch_sig_cmp); BOOST_CHECK(vch_sig_cmp != vch_sig); BOOST_CHECK(key.GetPubKey().data()[0] == 0x02); key.Negate(); // after the second negation, we should have the original key and thus the // same signature key.Sign(hash, vch_sig_cmp); BOOST_CHECK(vch_sig_cmp == vch_sig); BOOST_CHECK(key.GetPubKey().data()[0] == 0x03); } BOOST_AUTO_TEST_SUITE_END()
[ "manomay.jyotish.vadhuvar@gmail.com" ]
manomay.jyotish.vadhuvar@gmail.com
6fb7d0c923bca5648833eadfc0f2974714ed7717
502003b246a62bab44ba954eb5792b5c2e75f911
/Components/StoneTile.cpp
f3d86cd09566aec5d0ebca74b63f59e31ffa2a79
[]
no_license
TrentSterling/Azurite
82985e98120d1d017d60bd9cb49452b4bf4947f8
1f4216df0845ff780a5bd38094c1854d73f5d124
refs/heads/master
2021-01-20T23:03:54.942407
2012-08-27T02:14:10
2012-08-27T02:14:10
null
0
0
null
null
null
null
UTF-8
C++
false
false
104
cpp
#include "StoneTile.h" using namespace Component; StoneTile::StoneTile() { hasCustomized = false; }
[ "luke.metz@students.olin.edu" ]
luke.metz@students.olin.edu
6a22d511495d27b5bf197eced0f3ed381322ea72
cb0a6dcafd0a57a3f190e1a26c377d64f24659a9
/cs_4/main.cpp
cc3b8906101802f9f5773a4ff2d407938ecf3b00
[]
no_license
Frostman/yrin-practice
833ecd2714aacafd8c1c4dc1e2aee19ee7b843a9
ca23ace4803a98c4ca95157772000f7d38283042
refs/heads/master
2016-09-11T02:11:47.004399
2011-09-09T13:32:35
2011-09-09T13:32:35
1,520,903
0
0
null
null
null
null
UTF-8
C++
false
false
1,174
cpp
#include <stdlib.h> #include <stdio.h> #include <iostream> #include <string> #include <windows.h> #include <conio.h> using namespace std; int main(int argc, char * argv[]) { if(argc != 2) { printf("Please specify path to .exe file\n"); _getch(); return 1; } std::string path = argv[1]; HANDLE hRead = CreateFile(path.c_str(), GENERIC_READ, FILE_SHARE_READ, NULL, OPEN_EXISTING, 0, 0); if(hRead == INVALID_HANDLE_VALUE) { printf("Can't open file: %s", path); _getch(); return -1; } DWORD dwFileSize = GetFileSize(hRead, NULL); PBYTE FileBuffer = (PBYTE) malloc(dwFileSize * sizeof(BYTE)); DWORD dwAmountRead; BOOL res = ReadFile(hRead, (PVOID)FileBuffer, dwFileSize, &dwAmountRead, NULL); CloseHandle(hRead); if(!res) { printf("Failed to read file\n"); _getch(); return -1; } for(int i = 0x1902; i <= 0x1903; ++i){ FileBuffer[i] = ((BYTE) 0x90); } HANDLE hWrite = CreateFile(path.c_str(), GENERIC_WRITE, 0, NULL, CREATE_ALWAYS, FILE_ATTRIBUTE_NORMAL, 0); WriteFile(hWrite, FileBuffer, dwFileSize, &dwAmountRead, NULL); CloseHandle(hWrite); printf("File '%s' successfully cracked.\n", path.c_str()); _getch(); return 0; }
[ "me@frostman.ru" ]
me@frostman.ru
bf446870049f0e82447dd2babe609cb19eb28526
944b7bedafaebd2a8c1295589b64992e99ee070f
/src/asyncrpcoperation.cpp
683b9c718f0d80f927c622376f1d17c9ce9d2185
[ "MIT" ]
permissive
litecoinz-core/litecoinz
3edcf739496968e7af0eccf9497aebf7a563e858
73867bf443a309fad2a81491758527a80eb75c8c
refs/heads/master
2022-03-02T04:37:58.582171
2022-02-06T16:26:13
2022-02-06T16:26:13
222,146,131
10
0
MIT
2022-02-06T16:26:14
2019-11-16T19:02:46
C++
UTF-8
C++
false
false
5,217
cpp
// Copyright (c) 2016 The Zcash developers // Copyright (c) 2017-2020 The LitecoinZ Core developers // Distributed under the MIT software license, see the accompanying // file COPYING or https://www.opensource.org/licenses/mit-license.php . #include <asyncrpcoperation.h> #include <boost/uuid/uuid.hpp> #include <boost/uuid/uuid_generators.hpp> #include <boost/uuid/uuid_io.hpp> #include <chrono> #include <ctime> #include <string> static boost::uuids::random_generator uuidgen; static std::map<OperationStatus, std::string> OperationStatusMap = { {OperationStatus::READY, "queued"}, {OperationStatus::EXECUTING, "executing"}, {OperationStatus::CANCELLED, "cancelled"}, {OperationStatus::FAILED, "failed"}, {OperationStatus::SUCCESS, "success"} }; /** * Every operation instance should have a globally unique id */ AsyncRPCOperation::AsyncRPCOperation() : error_code_(0), error_message_() { // Set a unique reference for each operation boost::uuids::uuid uuid = uuidgen(); id_ = "opid-" + boost::uuids::to_string(uuid); creation_time_ = (int64_t)time(NULL); set_state(OperationStatus::READY); } AsyncRPCOperation::AsyncRPCOperation(const AsyncRPCOperation& o) : id_(o.id_), creation_time_(o.creation_time_), state_(o.state_.load()), start_time_(o.start_time_), end_time_(o.end_time_), error_code_(o.error_code_), error_message_(o.error_message_), result_(o.result_) { } AsyncRPCOperation& AsyncRPCOperation::operator=( const AsyncRPCOperation& other ) { this->id_ = other.id_; this->creation_time_ = other.creation_time_; this->state_.store(other.state_.load()); this->start_time_ = other.start_time_; this->end_time_ = other.end_time_; this->error_code_ = other.error_code_; this->error_message_ = other.error_message_; this->result_ = other.result_; return *this; } AsyncRPCOperation::~AsyncRPCOperation() { } /** * Override this cancel() method if you can interrupt main() when executing. */ void AsyncRPCOperation::cancel() { if (isReady()) { set_state(OperationStatus::CANCELLED); } } /** * Start timing the execution run of the code you're interested in */ void AsyncRPCOperation::start_execution_clock() { std::lock_guard<std::mutex> guard(lock_); start_time_ = std::chrono::system_clock::now(); } /** * Stop timing the execution run */ void AsyncRPCOperation::stop_execution_clock() { std::lock_guard<std::mutex> guard(lock_); end_time_ = std::chrono::system_clock::now(); } /** * Implement this virtual method in any subclass. This is just an example implementation. */ void AsyncRPCOperation::main() { if (isCancelled()) { return; } set_state(OperationStatus::EXECUTING); start_execution_clock(); // Do some work here.. stop_execution_clock(); // If there was an error, you might set it like this: /* setErrorCode(123); setErrorMessage("Murphy's law"); setState(OperationStatus::FAILED); */ // Otherwise, if the operation was a success: UniValue v(UniValue::VSTR, "We have a result!"); set_result(v); set_state(OperationStatus::SUCCESS); } /** * Return the error of the completed operation as a UniValue object. * If there is no error, return null UniValue. */ UniValue AsyncRPCOperation::getError() const { if (!isFailed()) { return NullUniValue; } std::lock_guard<std::mutex> guard(lock_); UniValue error(UniValue::VOBJ); error.pushKV("code", this->error_code_); error.pushKV("message", this->error_message_); return error; } /** * Return the result of the completed operation as a UniValue object. * If the operation did not succeed, return null UniValue. */ UniValue AsyncRPCOperation::getResult() const { if (!isSuccess()) { return NullUniValue; } std::lock_guard<std::mutex> guard(lock_); return this->result_; } /** * Returns a status UniValue object. * If the operation has failed, it will include an error object. * If the operation has succeeded, it will include the result value. * If the operation was cancelled, there will be no error object or result value. */ UniValue AsyncRPCOperation::getStatus() const { OperationStatus status = this->getState(); UniValue obj(UniValue::VOBJ); obj.pushKV("id", this->id_); obj.pushKV("status", OperationStatusMap[status]); obj.pushKV("creation_time", this->creation_time_); // TODO: Issue #1354: There may be other useful metadata to return to the user. UniValue err = this->getError(); if (!err.isNull()) { obj.pushKV("error", err.get_obj()); } UniValue result = this->getResult(); if (!result.isNull()) { obj.pushKV("result", result); // Include execution time for successful operation std::chrono::duration<double> elapsed_seconds = end_time_ - start_time_; obj.pushKV("execution_secs", elapsed_seconds.count()); } return obj; } /** * Return the operation state in human readable form. */ std::string AsyncRPCOperation::getStateAsString() const { OperationStatus status = this->getState(); return OperationStatusMap[status]; }
[ "team@litecoinz.info" ]
team@litecoinz.info
418707f90370f5d8fbe5c61a384cc222a8b67497
8dc84558f0058d90dfc4955e905dab1b22d12c08
/third_party/webrtc_overrides/rtc_base/diagnostic_logging.h
0838024a5137bee194449aa006c0262de8db6a58
[ "LicenseRef-scancode-unknown-license-reference", "BSD-3-Clause", "LGPL-2.0-or-later", "GPL-1.0-or-later", "MIT", "Apache-2.0" ]
permissive
meniossin/src
42a95cc6c4a9c71d43d62bc4311224ca1fd61e03
44f73f7e76119e5ab415d4593ac66485e65d700a
refs/heads/master
2022-12-16T20:17:03.747113
2020-09-03T10:43:12
2020-09-03T10:43:12
263,710,168
1
0
BSD-3-Clause
2020-05-13T18:20:09
2020-05-13T18:20:08
null
UTF-8
C++
false
false
5,129
h
// Copyright 2015 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef THIRD_PARTY_WEBRTC_OVERRIDES_WEBRTC_RTC_BASE_DIAGNOSTIC_LOGGING_H_ #define THIRD_PARTY_WEBRTC_OVERRIDES_WEBRTC_RTC_BASE_DIAGNOSTIC_LOGGING_H_ #include <sstream> #include <string> #include "third_party/webrtc/rtc_base/checks.h" #include "third_party/webrtc/rtc_base/scoped_ref_ptr.h" namespace rtc { /////////////////////////////////////////////////////////////////////////////// // ConstantLabel can be used to easily generate string names from constant // values. This can be useful for logging descriptive names of error messages. // Usage: // const ConstantLabel LIBRARY_ERRORS[] = { // KLABEL(SOME_ERROR), // KLABEL(SOME_OTHER_ERROR), // ... // LASTLABEL // } // // int err = LibraryFunc(); // LOG(LS_ERROR) << "LibraryFunc returned: " // << ErrorName(err, LIBRARY_ERRORS); struct ConstantLabel { int value; const char* label; }; #define KLABEL(x) \ { x, #x } #define LASTLABEL \ { 0, 0 } const char* FindLabel(int value, const ConstantLabel entries[]); std::string ErrorName(int err, const ConstantLabel* err_table); ////////////////////////////////////////////////////////////////////// // Note that the non-standard LoggingSeverity aliases exist because they are // still in broad use. The meanings of the levels are: // LS_SENSITIVE: Information which should only be logged with the consent // of the user, due to privacy concerns. // LS_VERBOSE: This level is for data which we do not want to appear in the // normal debug log, but should appear in diagnostic logs. // LS_INFO: Chatty level used in debugging for all sorts of things, the default // in debug builds. // LS_WARNING: Something that may warrant investigation. // LS_ERROR: Something that should not have occurred. // Note that LoggingSeverity is mapped over to chromiums verbosity levels where // anything lower than or equal to the current verbosity level is written to // file which is the opposite of logging severity in libjingle where higher // severity numbers than or equal to the current severity level are written to // file. Also, note that the values are explicitly defined here for convenience // since the command line flag must be set using numerical values. // TODO(tommi): To keep things simple, we should just use the same values for // these constants as Chrome does. enum LoggingSeverity { LS_ERROR = 1, LS_WARNING = 2, LS_INFO = 3, LS_VERBOSE = 4, LS_SENSITIVE = 5, INFO = LS_INFO, WARNING = LS_WARNING, LERROR = LS_ERROR }; // LogErrorContext assists in interpreting the meaning of an error value. enum LogErrorContext { ERRCTX_NONE, ERRCTX_ERRNO, // System-local errno ERRCTX_HRESULT, // Windows HRESULT ERRCTX_OSSTATUS, // MacOS OSStatus // Abbreviations for LOG_E macro ERRCTX_EN = ERRCTX_ERRNO, // LOG_E(sev, EN, x) ERRCTX_HR = ERRCTX_HRESULT, // LOG_E(sev, HR, x) ERRCTX_OS = ERRCTX_OSSTATUS, // LOG_E(sev, OS, x) }; // Class that writes a log message to the logging delegate ("WebRTC logging // stream" in Chrome) and to Chrome's logging stream. class DiagnosticLogMessage { public: DiagnosticLogMessage(const char* file, int line, LoggingSeverity severity, LogErrorContext err_ctx, int err); DiagnosticLogMessage(const char* file, int line, LoggingSeverity severity, LogErrorContext err_ctx, int err, const char* module); ~DiagnosticLogMessage(); void CreateTimestamp(); std::ostream& stream() { return print_stream_; } private: const char* file_name_; const int line_; const LoggingSeverity severity_; const LogErrorContext err_ctx_; const int err_; const char* const module_; const bool log_to_chrome_; std::ostringstream print_stream_; }; // This class is used to explicitly ignore values in the conditional // logging macros. This avoids compiler warnings like "value computed // is not used" and "statement has no effect". class LogMessageVoidify { public: LogMessageVoidify() {} // This has to be an operator with a precedence lower than << but // higher than ?: void operator&(std::ostream&) {} }; ////////////////////////////////////////////////////////////////////// // Logging Helpers ////////////////////////////////////////////////////////////////////// class LogMessage { public: static void LogToDebug(int min_sev); }; // TODO(grunell): Change name to InitDiagnosticLoggingDelegate or // InitDiagnosticLogging. Change also in init_webrtc.h/cc. // TODO(grunell): typedef the delegate function. void InitDiagnosticLoggingDelegateFunction( void (*delegate)(const std::string&)); void SetExtraLoggingInit( void (*function)(void (*delegate)(const std::string&))); } // namespace rtc #endif // THIRD_PARTY_WEBRTC_OVERRIDES_WEBRTC_RTC_BASE_DIAGNOSTIC_LOGGING_H_
[ "arnaud@geometry.ee" ]
arnaud@geometry.ee
50320295789d2503b54698313340be038c359b8b
391701edc8b284c300fce8658e75e4e0b4d0c832
/UVA11053_bad.cpp
66566524697784edb597fad45b7da5d7c579b1cf
[]
no_license
TissueRoll/UVA-solutions
746c10f1d13228e8354b53ef94069d5ad9e65465
71b05c5a9800ad981aead3b85dd2955729c24667
refs/heads/master
2023-03-21T16:16:09.272996
2020-08-26T03:24:41
2020-08-26T03:24:41
178,392,515
0
0
null
null
null
null
UTF-8
C++
false
false
963
cpp
#include <bits/stdc++.h> using namespace std; typedef long long ll; const int N = 500001; const ll MOD = 2000000011; bitset<N> is; int pr[N], primes = 0; void sieve() { is[2] = true; for (int i = 3; i < N; i += 2) is[i] = 1; for (int i = 3; i*i < N; i += 2) if (is[i]) for (int j = i*i; j < N; j += i) is[j] = 0; pr[primes++] = 2; for (int i = 3; i < N; i += 2) if (is[i]) pr[primes++] = i; // */ } ll modpow(ll a, ll b, ll m) { if (b <= 0) return 1; ll c = modpow(a,b/2,m); c = (c*c)%m; return (b%2 == 0 ? c : (a*c)%m); } map<ll,int> vis; set<ll> dead; int main () { ios_base::sync_with_stdio(false); cin.tie(0); // sieve(); ll n, a, b; while (cin >> n) { if (n == 0) break; cin >> a >> b; ll cur = b%n; while (vis[cur] < 2) { vis[cur]++; if (vis[cur] == 2) dead.insert(cur); cur = (((a*((cur*cur)%n))%n)+b)%n; } cout << n - dead.size() << endl; vis.clear(); dead.clear(); } return 0; }
[ "christopher.dizon@protonmail.com" ]
christopher.dizon@protonmail.com
d9995ca314a01e38fae05a738d09b794752d6a79
5838cf8f133a62df151ed12a5f928a43c11772ed
/NT/com/netfx/src/clr/fusion/utils/serialst.cpp
58d62a394a8d402044bc25ac3a30c186fdd9ed9b
[]
no_license
proaholic/Win2K3
e5e17b2262f8a2e9590d3fd7a201da19771eb132
572f0250d5825e7b80920b6610c22c5b9baaa3aa
refs/heads/master
2023-07-09T06:15:54.474432
2021-08-11T09:09:14
2021-08-11T09:09:14
null
0
0
null
null
null
null
UTF-8
C++
false
false
13,605
cpp
// ==++== // // Copyright (c) Microsoft Corporation. All rights reserved. // // ==--== /*++ Module Name: serialst.cxx Abstract: Functions to deal with a serialized list. These are replaced by macros in the retail version Contents: [InitializeSerializedList] [TerminateSerializedList] [LockSerializedList] [UnlockSerializedList] [InsertAtHeadOfSerializedList] [InsertAtTailOfSerializedList] [RemoveFromSerializedList] [IsSerializedListEmpty] [HeadOfSerializedList] [TailOfSerializedList] [CheckEntryOnSerializedList] [(CheckEntryOnList)] SlDequeueHead SlDequeueTail IsOnSerializedList Author: Richard L Firth (rfirth) 16-Feb-1995 Environment: Win-32 user level Revision History: 16-Feb-1995 rfirth Created 05-Jul-1999 adriaanc nabbed for fusion --*/ #include "debmacro.h" #include <windows.h> #include "serialst.h" #if DBG #if !defined(PRIVATE) #define PRIVATE static #endif #if !defined(DEBUG_FUNCTION) #define DEBUG_FUNCTION #endif #if !defined(DEBUG_PRINT) #define DEBUG_PRINT(foo, bar, baz) #endif #if !defined(ENDEXCEPT) #define ENDEXCEPT #endif #if !defined(DEBUG_BREAK) #define DEBUG_BREAK(foo) DebugBreak() #endif // // manifests // #define SERIALIZED_LIST_SIGNATURE 'tslS' // // private prototypes // PRIVATE DEBUG_FUNCTION BOOL CheckEntryOnList( IN PLIST_ENTRY List, IN PLIST_ENTRY Entry, IN BOOL ExpectedResult ); // // data // BOOL fCheckEntryOnList = FALSE; BOOL ReportCheckEntryOnListErrors = FALSE; // // functions // DEBUG_FUNCTION VOID InitializeSerializedList( IN LPSERIALIZED_LIST SerializedList ) /*++ Routine Description: initializes a serialized list Arguments: SerializedList - pointer to SERIALIZED_LIST Return Value: None. --*/ { ASSERT(SerializedList != NULL); SerializedList->Signature = SERIALIZED_LIST_SIGNATURE; SerializedList->LockCount = 0; #if 0 // removed 1/7/2000 by mgrier - bad debug build INITIALIZE_RESOURCE_INFO(&SerializedList->ResourceInfo); #endif // 0 InitializeListHead(&SerializedList->List); SerializedList->ElementCount = 0; InitializeCriticalSection(&SerializedList->Lock); } DEBUG_FUNCTION VOID TerminateSerializedList( IN LPSERIALIZED_LIST SerializedList ) /*++ Routine Description: Undoes InitializeSerializeList Arguments: SerializedList - pointer to serialized list to terminate Return Value: None. --*/ { ASSERT(SerializedList != NULL); ASSERT(SerializedList->Signature == SERIALIZED_LIST_SIGNATURE); ASSERT(SerializedList->ElementCount == 0); if (SerializedList->ElementCount != 0) { DEBUG_PRINT(SERIALST, ERROR, ("list @ %#x has %d elements, first is %#x\n", SerializedList, SerializedList->ElementCount, SerializedList->List.Flink )); } else { ASSERT(IsListEmpty(&SerializedList->List)); } DeleteCriticalSection(&SerializedList->Lock); } #if 0 DEBUG_FUNCTION VOID LockSerializedList( IN LPSERIALIZED_LIST SerializedList ) /*++ Routine Description: Acquires a serialized list locks Arguments: SerializedList - SERIALIZED_LIST to lock Return Value: None. --*/ { ASSERT(SerializedList->Signature == SERIALIZED_LIST_SIGNATURE); ASSERT(SerializedList->LockCount >= 0); EnterCriticalSection(&SerializedList->Lock); if (SerializedList->LockCount != 0) { ASSERT(SerializedList->ResourceInfo.Tid == GetCurrentThreadId()); } ++SerializedList->LockCount; SerializedList->ResourceInfo.Tid = GetCurrentThreadId(); } DEBUG_FUNCTION VOID UnlockSerializedList( IN LPSERIALIZED_LIST SerializedList ) /*++ Routine Description: Releases a serialized list lock Arguments: SerializedList - SERIALIZED_LIST to unlock Return Value: None. --*/ { ASSERT(SerializedList->Signature == SERIALIZED_LIST_SIGNATURE); ASSERT(SerializedList->ResourceInfo.Tid == GetCurrentThreadId()); ASSERT(SerializedList->LockCount > 0); --SerializedList->LockCount; LeaveCriticalSection(&SerializedList->Lock); } #endif DEBUG_FUNCTION VOID InsertAtHeadOfSerializedList( IN LPSERIALIZED_LIST SerializedList, IN PLIST_ENTRY Entry ) /*++ Routine Description: Adds an item to the head of a serialized list Arguments: SerializedList - SERIALIZED_LIST to update Entry - thing to update it with Return Value: None. --*/ { ASSERT(Entry != &SerializedList->List); LockSerializedList(SerializedList); __try { if (fCheckEntryOnList) { CheckEntryOnList(&SerializedList->List, Entry, FALSE); } InsertHeadList(&SerializedList->List, Entry); ++SerializedList->ElementCount; ASSERT(SerializedList->ElementCount > 0); } __finally { UnlockSerializedList(SerializedList); } } DEBUG_FUNCTION VOID InsertAtTailOfSerializedList( IN LPSERIALIZED_LIST SerializedList, IN PLIST_ENTRY Entry ) /*++ Routine Description: Adds an item to the head of a serialized list Arguments: SerializedList - SERIALIZED_LIST to update Entry - thing to update it with Return Value: None. --*/ { ASSERT(Entry != &SerializedList->List); LockSerializedList(SerializedList); __try { if (fCheckEntryOnList) { CheckEntryOnList(&SerializedList->List, Entry, FALSE); } InsertTailList(&SerializedList->List, Entry); ++SerializedList->ElementCount; ASSERT(SerializedList->ElementCount > 0); } __finally { UnlockSerializedList(SerializedList); } } VOID DEBUG_FUNCTION RemoveFromSerializedList( IN LPSERIALIZED_LIST SerializedList, IN PLIST_ENTRY Entry ) /*++ Routine Description: Removes the entry from a serialized list Arguments: SerializedList - SERIALIZED_LIST to remove entry from Entry - pointer to entry to remove Return Value: None. --*/ { ASSERT((Entry->Flink != NULL) && (Entry->Blink != NULL)); LockSerializedList(SerializedList); __try { if (fCheckEntryOnList) { CheckEntryOnList(&SerializedList->List, Entry, TRUE); } ASSERT(SerializedList->ElementCount > 0); RemoveEntryList(Entry); --SerializedList->ElementCount; Entry->Flink = NULL; Entry->Blink = NULL; } __finally { UnlockSerializedList(SerializedList); } } DEBUG_FUNCTION BOOL IsSerializedListEmpty( IN LPSERIALIZED_LIST SerializedList ) /*++ Routine Description: Checks if a serialized list contains any elements Arguments: SerializedList - pointer to list to check Return Value: BOOL --*/ { BOOL empty; LockSerializedList(SerializedList); __try { ASSERT(SerializedList->Signature == SERIALIZED_LIST_SIGNATURE); if (IsListEmpty(&SerializedList->List)) { ASSERT(SerializedList->ElementCount == 0); empty = TRUE; } else { ASSERT(SerializedList->ElementCount != 0); empty = FALSE; } } __finally { UnlockSerializedList(SerializedList); } return empty; } DEBUG_FUNCTION PLIST_ENTRY HeadOfSerializedList( IN LPSERIALIZED_LIST SerializedList ) /*++ Routine Description: Returns the element at the tail of the list, without taking the lock Arguments: SerializedList - pointer to SERIALIZED_LIST Return Value: PLIST_ENTRY pointer to element at tail of list --*/ { ASSERT(SerializedList->Signature == SERIALIZED_LIST_SIGNATURE); return SerializedList->List.Flink; } DEBUG_FUNCTION PLIST_ENTRY TailOfSerializedList( IN LPSERIALIZED_LIST SerializedList ) /*++ Routine Description: Returns the element at the tail of the list, without taking the lock Arguments: SerializedList - pointer to SERIALIZED_LIST Return Value: PLIST_ENTRY pointer to element at tail of list --*/ { ASSERT(SerializedList->Signature == SERIALIZED_LIST_SIGNATURE); return SerializedList->List.Blink; } DEBUG_FUNCTION BOOL CheckEntryOnSerializedList( IN LPSERIALIZED_LIST SerializedList, IN PLIST_ENTRY Entry, IN BOOL ExpectedResult ) /*++ Routine Description: Checks an entry exists (or doesn't exist) on a list Arguments: SerializedList - pointer to serialized list Entry - pointer to entry ExpectedResult - TRUE if expected on list, else FALSE Return Value: BOOL TRUE - expected result FALSE - unexpected result --*/ { BOOL result; ASSERT(SerializedList->Signature == SERIALIZED_LIST_SIGNATURE); LockSerializedList(SerializedList); __try { __try { result = CheckEntryOnList(&SerializedList->List, Entry, ExpectedResult); } __except(EXCEPTION_EXECUTE_HANDLER) { DEBUG_PRINT(SERIALST, FATAL, ("List @ %#x (%d elements) is bad\n", SerializedList, SerializedList->ElementCount )); result = FALSE; } ENDEXCEPT } __finally { UnlockSerializedList(SerializedList); } return result; } PRIVATE DEBUG_FUNCTION BOOL CheckEntryOnList( IN PLIST_ENTRY List, IN PLIST_ENTRY Entry, IN BOOL ExpectedResult ) { BOOLEAN found = FALSE; PLIST_ENTRY p; if (!IsListEmpty(List)) { for (p = List->Flink; p != List; p = p->Flink) { if (p == Entry) { found = TRUE; break; } } } if (found != ExpectedResult) { if (ReportCheckEntryOnListErrors) { LPSTR description; description = found ? "Entry %#x already on list %#x\n" : "Entry %#x not found on list %#x\n" ; DEBUG_PRINT(SERIALST, ERROR, (description, Entry, List )); DEBUG_BREAK(SERIALST); } return FALSE; } return TRUE; } #endif // DBG // // functions that are always functions // LPVOID SlDequeueHead( IN LPSERIALIZED_LIST SerializedList ) /*++ Routine Description: Dequeues the element at the head of the queue and returns its address or NULL if the queue is empty Arguments: SerializedList - pointer to SERIALIZED_LIST to dequeue from Return Value: LPVOID --*/ { LPVOID entry; if (!IsSerializedListEmpty(SerializedList)) { LockSerializedList(SerializedList); __try { if (!IsSerializedListEmpty(SerializedList)) { entry = (LPVOID)HeadOfSerializedList(SerializedList); RemoveFromSerializedList(SerializedList, (PLIST_ENTRY)entry); } else { entry = NULL; } } __finally { UnlockSerializedList(SerializedList); } } else { entry = NULL; } return entry; } LPVOID SlDequeueTail( IN LPSERIALIZED_LIST SerializedList ) /*++ Routine Description: Dequeues the element at the tail of the queue and returns its address or NULL if the queue is empty Arguments: SerializedList - pointer to SERIALIZED_LIST to dequeue from Return Value: LPVOID --*/ { LPVOID entry; if (!IsSerializedListEmpty(SerializedList)) { LockSerializedList(SerializedList); __try { if (!IsSerializedListEmpty(SerializedList)) { entry = (LPVOID)TailOfSerializedList(SerializedList); RemoveFromSerializedList(SerializedList, (PLIST_ENTRY)entry); } else { entry = NULL; } } __finally { UnlockSerializedList(SerializedList); } } else { entry = NULL; } return entry; } BOOL IsOnSerializedList( IN LPSERIALIZED_LIST SerializedList, IN PLIST_ENTRY Entry ) /*++ Routine Description: Checks if an entry is on a serialized list. Useful to call before RemoveFromSerializedList() if multiple threads can remove the element Arguments: SerializedList - pointer to SERIALIZED_LIST Entry - pointer to element to check Return Value: BOOL TRUE - Entry is on SerializedList FALSE - " " not on " --*/ { BOOL onList = FALSE; // LPVOID entry; if (!IsSerializedListEmpty(SerializedList)) { LockSerializedList(SerializedList); __try { if (!IsSerializedListEmpty(SerializedList)) { for (PLIST_ENTRY entry = HeadOfSerializedList(SerializedList); entry != (PLIST_ENTRY)SlSelf(SerializedList); entry = entry->Flink) { if (entry == Entry) { onList = TRUE; break; } } } } __finally { UnlockSerializedList(SerializedList); } } return onList; }
[ "blindtiger@foxmail.com" ]
blindtiger@foxmail.com
9ccb6a94442c9f5a2802eb3d2be1200718ca891d
7af5bc48748d6076d67dd8d1f5ace51de2c26b23
/src/qt/qtipcserver.cpp
602e8d9cbd09df9a06fa1df37e5906fa3195196b
[ "MIT" ]
permissive
dazzlecoin/dazzle-master
81010d6b3172f3e2c1138a199a11bbbca821a88b
b208b773458f4a1d04ef57b617a3835ed8ee714d
refs/heads/master
2021-07-09T13:11:31.205838
2017-10-09T06:20:55
2017-10-09T06:20:55
106,244,005
0
0
null
null
null
null
UTF-8
C++
false
false
4,923
cpp
// Copyright (c) 2009-2012 The Bitcoin developers // Distributed under the MIT/X11 software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #include <boost/version.hpp> #if defined(WIN32) && BOOST_VERSION == 104900 #define BOOST_INTERPROCESS_HAS_WINDOWS_KERNEL_BOOTTIME #define BOOST_INTERPROCESS_HAS_KERNEL_BOOTTIME #endif #include "qtipcserver.h" #include "guiconstants.h" #include "ui_interface.h" #include "util.h" #include <boost/algorithm/string/predicate.hpp> #include <boost/date_time/posix_time/posix_time.hpp> #include <boost/interprocess/ipc/message_queue.hpp> #include <boost/version.hpp> #if defined(WIN32) && (!defined(BOOST_INTERPROCESS_HAS_WINDOWS_KERNEL_BOOTTIME) || !defined(BOOST_INTERPROCESS_HAS_KERNEL_BOOTTIME) || BOOST_VERSION < 104900) #warning Compiling without BOOST_INTERPROCESS_HAS_WINDOWS_KERNEL_BOOTTIME and BOOST_INTERPROCESS_HAS_KERNEL_BOOTTIME uncommented in boost/interprocess/detail/tmp_dir_helpers.hpp or using a boost version before 1.49 may have unintended results see svn.boost.org/trac/boost/ticket/5392 #endif using namespace boost; using namespace boost::interprocess; using namespace boost::posix_time; #if defined MAC_OSX || defined __FreeBSD__ // URI handling not implemented on OSX yet void ipcScanRelay(int argc, char *argv[]) { } void ipcInit(int argc, char *argv[]) { } #else static void ipcThread2(void* pArg); static bool ipcScanCmd(int argc, char *argv[], bool fRelay) { // Check for URI in argv bool fSent = false; for (int i = 1; i < argc; i++) { if (boost::algorithm::istarts_with(argv[i], "dazzle:")) { const char *strURI = argv[i]; try { boost::interprocess::message_queue mq(boost::interprocess::open_only, BITCOINURI_QUEUE_NAME); if (mq.try_send(strURI, strlen(strURI), 0)) fSent = true; else if (fRelay) break; } catch (boost::interprocess::interprocess_exception &ex) { // don't log the "file not found" exception, because that's normal for // the first start of the first instance if (ex.get_error_code() != boost::interprocess::not_found_error || !fRelay) { printf("main() - boost interprocess exception #%d: %s\n", ex.get_error_code(), ex.what()); break; } } } } return fSent; } void ipcScanRelay(int argc, char *argv[]) { if (ipcScanCmd(argc, argv, true)) exit(0); } static void ipcThread(void* pArg) { // Make this thread recognisable as the GUI-IPC thread RenameThread("dazzle-gui-ipc"); try { ipcThread2(pArg); } catch (std::exception& e) { PrintExceptionContinue(&e, "ipcThread()"); } catch (...) { PrintExceptionContinue(NULL, "ipcThread()"); } printf("ipcThread exited\n"); } static void ipcThread2(void* pArg) { printf("ipcThread started\n"); message_queue* mq = (message_queue*)pArg; char buffer[MAX_URI_LENGTH + 1] = ""; size_t nSize = 0; unsigned int nPriority = 0; while (true) { ptime d = boost::posix_time::microsec_clock::universal_time() + millisec(100); if (mq->timed_receive(&buffer, sizeof(buffer), nSize, nPriority, d)) { uiInterface.ThreadSafeHandleURI(std::string(buffer, nSize)); MilliSleep(1000); } if (fShutdown) break; } // Remove message queue message_queue::remove(BITCOINURI_QUEUE_NAME); // Cleanup allocated memory delete mq; } void ipcInit(int argc, char *argv[]) { message_queue* mq = NULL; char buffer[MAX_URI_LENGTH + 1] = ""; size_t nSize = 0; unsigned int nPriority = 0; try { mq = new message_queue(open_or_create, BITCOINURI_QUEUE_NAME, 2, MAX_URI_LENGTH); // Make sure we don't lose any bitcoin: URIs for (int i = 0; i < 2; i++) { ptime d = boost::posix_time::microsec_clock::universal_time() + millisec(1); if (mq->timed_receive(&buffer, sizeof(buffer), nSize, nPriority, d)) { uiInterface.ThreadSafeHandleURI(std::string(buffer, nSize)); } else break; } // Make sure only one bitcoin instance is listening message_queue::remove(BITCOINURI_QUEUE_NAME); delete mq; mq = new message_queue(open_or_create, BITCOINURI_QUEUE_NAME, 2, MAX_URI_LENGTH); } catch (interprocess_exception &ex) { printf("ipcInit() - boost interprocess exception #%d: %s\n", ex.get_error_code(), ex.what()); return; } if (!NewThread(ipcThread, mq)) { delete mq; return; } ipcScanCmd(argc, argv, false); } #endif
[ "admin@coin.com" ]
admin@coin.com
8b0674092b7f1051ee63d568f99eb98df51cf967
506200c1d3687da3593c5a7ca94ddd37d6359adf
/code/Q8_02_Robot_in_a_Grid.cpp
70b3539c20ae6c43bb7b3075b6d9f6dc81d1399c
[]
no_license
macwoj/CtCI-6th-Edition-cpp
2c30c82705f2abeb1e3e8ee4fa025f7c655055e2
05da732b646ab31b6689bc5e2c568e6c3e7ead95
refs/heads/main
2022-05-20T14:29:43.667746
2022-05-11T03:13:33
2022-05-11T03:13:33
441,525,257
0
0
null
null
null
null
UTF-8
C++
false
false
2,004
cpp
#include <vector> #include <list> #include <unordered_map> #include <tuple> #include <iostream> using namespace std; using pT = tuple<int,int>; using gridT = vector<vector<bool>>; using pathT = list<pT>; struct hasher { size_t operator()(const pT& p) const { auto [a,b] = p; return hash<int>()(a) ^ hash<int>()(b); } }; using memoT = unordered_map<pT,pathT,hasher>; using memoPtr = shared_ptr<memoT>; pathT findPath(const gridT& g,int r,int c,memoPtr memo = make_shared<memoT>()) { if (r<0 || r >= g.size()) return {}; if (c<0 || c >= g[0].size()) return {}; if (!g[r][c]) return {}; if (r==g.size()-1 && c==g.size()-1) return {{r,c}}; auto it = memo->find({r,c}); if (it!=memo->end()) return it->second; auto res = findPath(g,r+1,c,memo); if (res.empty()) res = findPath(g,r,c+1,memo); if (!res.empty()) res.push_front({r,c}); memo->insert({{r,c},res}); return res; } pathT findPath(const gridT& g) { return findPath(g,0,0); } void print(gridT g,pathT p) { for (auto r:g) { for (auto c:r) { cout << c << " "; } cout << endl; } for (auto x:p) { auto [r,c] = x; cout << r << "," << c << " "; } cout << endl; } int main() { { gridT g = { {1,1,1,1,1,1}, {0,0,0,0,0,1}, {0,0,0,0,0,1}, {0,0,0,0,0,1}, {0,0,0,0,0,1}, {0,0,0,0,0,1} }; print(g,findPath(g)); } { gridT g = { {1,1,1,1,1,1}, {0,0,0,0,0,1}, {0,0,0,0,0,0}, {0,0,0,0,0,1}, {0,0,0,0,0,1}, {0,0,0,0,0,1} }; print(g,findPath(g)); } { gridT g = { {1,1,1,1,1,0}, {0,0,0,1,1,1}, {0,0,0,1,0,1}, {0,0,0,1,0,1}, {0,0,0,1,0,1}, {0,0,0,1,0,1} }; print(g,findPath(g)); } }
[ "mwojton@bloomberg.net" ]
mwojton@bloomberg.net
4daf0e1d3b2f0eecdbc7d3dd68a153337799b16e
6ba264760680fdda43e5468802a49d03bd75691b
/Magic Passwords/trunk/magic1.h
e5478503303d1b33ede356aa1f47d1d833d461f5
[]
no_license
Moneetor/bcf
8bb3fc0a48130ea37968960f537b487d4f74759b
586634954c66f72e2c5bee2e1f1e007f34a5db59
refs/heads/main
2023-08-28T11:31:14.186654
2021-11-12T15:43:10
2021-11-12T15:43:10
420,071,023
0
0
null
null
null
null
UTF-8
C++
false
false
2,877
h
//--------------------------------------------------------------------------- #ifndef magic1H #define magic1H //--------------------------------------------------------------------------- #include <Classes.hpp> #include <Controls.hpp> #include <StdCtrls.hpp> #include <Forms.hpp> #include <ComCtrls.hpp> #include <Buttons.hpp> #include "Trayicon.h" #include <ImgList.hpp> #include "saferegistry.h" #include "config1.h" #include "translator.h" #include <ExtCtrls.hpp> #include <Menus.hpp> #include <NMUUE.hpp> //--------------------------------------------------------------------------- class TMagicPassword : public TForm { __published: // IDE-managed Components TBitBtn *copy1; TBitBtn *inf1; TBitBtn *don1; TBitBtn *cle1; TBitBtn *chan1; TTimer *Timer1; TPageControl *PageControl1; TTabSheet *TabSheet1; TTabSheet *TabSheet2; TLabel *pass1l; TLabel *pass2l; TLabel *big1l; TLabel *loo1l; TLabel *len1l; TEdit *pass1ed; TEdit *pass2ed; TTrackBar *big1tr; TEdit *big1ed; TUpDown *big1ud; TTrackBar *loo1tr; TEdit *loo1ed; TUpDown *loo1ud; TTrackBar *len1tr; TEdit *len1ed; TUpDown *len1ud; TCheckBox *show1; TCheckBox *show2; TListBox *LL1; TBitBtn *add1; void __fastcall big1trChange(TObject *Sender); void __fastcall big1edChange(TObject *Sender); void __fastcall loo1trChange(TObject *Sender); void __fastcall loo1edChange(TObject *Sender); void __fastcall copy1Click(TObject *Sender); void __fastcall len1trChange(TObject *Sender); void __fastcall len1edChange(TObject *Sender); void __fastcall inf1Click(TObject *Sender); void __fastcall show1Click(TObject *Sender); void __fastcall show2Click(TObject *Sender); void __fastcall don1Click(TObject *Sender); void __fastcall cle1Click(TObject *Sender); void __fastcall chan1Click(TObject *Sender); void __fastcall FormDestroy(TObject *Sender); void __fastcall FormActivate(TObject *Sender); void __fastcall FormClose(TObject *Sender, TCloseAction &Action); void __fastcall LL1Click(TObject *Sender); private: Graphics::TBitmap *BGMap; Graphics::TBitmap *bg1; Graphics::TBitmap *bg2; Graphics::TBitmap *bg3; void InitializeInterface(void); void __fastcall FillBrushes(void); void CreateLangList(void); public: int Loops; int BigLetters; int PasswordLength; // User declarations TSafeRegistry *SafeRegistry; TConfigData ConfigData; TTranslator Translator; __fastcall TMagicPassword(TComponent* Owner); AnsiString __fastcall GetHash(AnsiString Text, unsigned int big); }; //--------------------------------------------------------------------------- extern PACKAGE TMagicPassword *MagicPassword; //--------------------------------------------------------------------------- #endif
[ "moneetor@mon.net.pl" ]
moneetor@mon.net.pl
3bde7361e63b8c966be72c1aec5d3a302e00cbdd
05780fe9a74b116832611a35fce38fa24b4d4ffc
/madgraph/madgraph_binaries/Template/NLO/MCatNLO/include/LHEF.h
3dfbd4aec5b8d83f290427ffebccf764ef6c2905
[]
no_license
cesarotti/Dark-Photons
d810658190297528470abe757c4a678075ef48f6
c6dce1df70c660555bf039a78765e4efbffb4877
refs/heads/master
2021-01-22T19:26:13.892225
2015-01-28T05:43:20
2015-01-28T05:49:54
20,692,647
2
2
null
null
null
null
UTF-8
C++
false
false
61,763
h
// -*- C++ -*- #ifndef THEPEG_LHEF_H #define THEPEG_LHEF_H // // This is the declaration of the Les Houches Event File classes. // #include <iostream> #include <iomanip> #include <sstream> #include <fstream> #include <string> #include <vector> #include <map> #include <set> #include <utility> #include <stdexcept> #include <cstdlib> #include <cmath> #include <limits> namespace LHEF { /** * The XMLTag struct is used to represent all information within an * XML tag. It contains the attributes as a map, any sub-tags as a * vector of pointers to other XMLTag objects, and any other * information as a single string. */ struct XMLTag { /** * Convenient typdef. */ typedef std::string::size_type pos_t; /** * Convenient alias for npos. */ static const pos_t end = std::string::npos; /** * The destructor also destroys any sub-tags. */ ~XMLTag() { for ( int i = 0, N = tags.size(); i < N; ++i ) delete tags[i]; } /** * The name of this tag. */ std::string name; /** * The attributes of this tag. */ std::map<std::string,std::string> attr; /** * A vector of sub-tags. */ std::vector<XMLTag*> tags; /** * The contents of this tag. */ std::string contents; /** * Find an attribute named \a n and set the double variable \a v to * the corresponding value. @return false if no attribute was found. */ bool getattr(std::string n, double & v) const { std::map<std::string,std::string>::const_iterator it = attr.find(n); if ( it == attr.end() ) return false; v = std::atof(it->second.c_str()); return true; } /** * Find an attribute named \a n and set the bool variable \a v to * true if the corresponding value is "yes". @return false if no * attribute was found. */ bool getattr(std::string n, bool & v) const { std::map<std::string,std::string>::const_iterator it = attr.find(n); if ( it == attr.end() ) return false; if ( it->second == "yes" ) v = true; return true; } /** * Find an attribute named \a n and set the long variable \a v to * the corresponding value. @return false if no attribute was found. */ bool getattr(std::string n, long & v) const { std::map<std::string,std::string>::const_iterator it = attr.find(n); if ( it == attr.end() ) return false; v = std::atoi(it->second.c_str()); return true; } /** * Find an attribute named \a n and set the long variable \a v to * the corresponding value. @return false if no attribute was found. */ bool getattr(std::string n, int & v) const { std::map<std::string,std::string>::const_iterator it = attr.find(n); if ( it == attr.end() ) return false; v = int(std::atoi(it->second.c_str())); return true; } /** * Find an attribute named \a n and set the string variable \a v to * the corresponding value. @return false if no attribute was found. */ bool getattr(std::string n, std::string & v) const { std::map<std::string,std::string>::const_iterator it = attr.find(n); if ( it == attr.end() ) return false; v = it->second; return true; } /** * Scan the given string and return all XML tags found as a vector * of pointers to XMLTag objects. */ static std::vector<XMLTag*> findXMLTags(std::string str, std::string * leftover = 0) { std::vector<XMLTag*> tags; pos_t curr = 0; while ( curr != end ) { // Find the first tag pos_t begin = str.find("<", curr); // Skip comments if ( str.find("<!--", curr) == begin ) { pos_t endcom = str.find("-->", begin); if ( endcom == end ) { if ( leftover ) *leftover += str.substr(curr); return tags; } if ( leftover ) *leftover += str.substr(curr, endcom - curr); curr = endcom; continue; } if ( leftover ) *leftover += str.substr(curr, begin - curr); if ( begin == end || begin > str.length() - 3 || str[begin + 1] == '/' ) return tags; pos_t close = str.find(">", curr); if ( close == end ) return tags; // find the tag name. curr = str.find_first_of(" \t\n/>", begin); tags.push_back(new XMLTag()); tags.back()->name = str.substr(begin + 1, curr - begin - 1); while ( true ) { // Now skip some white space to see if we can find an attribute. curr = str.find_first_not_of(" \t\n", curr); if ( curr == end || curr >= close ) break; pos_t tend = str.find_first_of("= \t\n", curr); if ( tend == end || tend >= close ) break; std::string name = str.substr(curr, tend - curr); curr = str.find("=", curr) + 1; // OK now find the beginning and end of the atribute. curr = str.find("\"", curr); if ( curr == end || curr >= close ) break; pos_t bega = ++curr; curr = str.find("\"", curr); while ( curr != end && str[curr - 1] == '\\' ) curr = str.find("\"", curr + 1); std::string value = str.substr(bega, curr == end? end: curr - bega); tags.back()->attr[name] = value; ++curr; } curr = close + 1; if ( str[close - 1] == '/' ) continue; pos_t endtag = str.find("</" + tags.back()->name + ">", curr); if ( endtag == end ) { tags.back()->contents = str.substr(curr); curr = endtag; } else { tags.back()->contents = str.substr(curr, endtag - curr); curr = endtag + tags.back()->name.length() + 3; } std::string leftovers; tags.back()->tags = findXMLTags(tags.back()->contents, &leftovers); if ( leftovers.find_first_not_of(" \t\n") == end ) leftovers=""; tags.back()->contents = leftovers; } return tags; } /** * Print out this tag to a stream. */ void print(std::ostream & os) const { os << "<" << name; for ( std::map<std::string,std::string>::const_iterator it = attr.begin(); it != attr.end(); ++it ) os << " " << it->first << "=\"" << it->second << "\""; if ( contents.empty() && tags.empty() ) { os << "/>" << std::endl; return; } os << ">" << std::endl; for ( int i = 0, N = tags.size(); i < N; ++i ) tags[i]->print(os); os << "````" << contents << "''''</" << name << ">" << std::endl; } }; /** * The XSecInfo class contains information given in the xsecinfo tag. */ struct XSecInfo { /** * Intitialize default values. */ XSecInfo(): neve(-1), maxweight(1.0), meanweight(1.0), negweights(false), varweights(false) {} /** * Create from XML tag */ XSecInfo(const XMLTag & tag) : neve(-1), maxweight(1.0), meanweight(1.0), negweights(false), varweights(false) { if ( !tag.getattr("neve", neve) ) throw std::runtime_error("Found xsecinfo tag without neve attribute " "in Les Houches Event File."); if ( !tag.getattr("totxsec", totxsec) ) throw std::runtime_error("Found xsecinfo tag without totxsec " "attribute in Les Houches Event File."); tag.getattr("maxweight", maxweight); tag.getattr("meanweight", meanweight); tag.getattr("negweights", negweights); tag.getattr("varweights", varweights); } /** * Print out an XML tag. */ void print(std::ostream & file) const { file << "<xsecinfo neve=\"" << neve << "\"" << " totxsec=\"" << totxsec << "\"" << " maxweight=\"" << maxweight << "\"" << " meanweight=\"" << meanweight << "\""; if ( negweights ) file << " negweights=\"yes\""; if ( varweights ) file << " varweights=\"yes\""; file << "/>" << std::endl; } /** * The number of events. */ long neve; /** * The total cross section in pb. */ double totxsec; /** * The maximum weight. */ double maxweight; /** * The average weight. */ double meanweight; /** * Does the file contain negative weights? */ bool negweights; /** * Does the file contain varying weights? */ bool varweights; }; /** * The Cut class represents a cut used by the Matrix Element generator. */ struct Cut { /** * Intitialize default values. */ Cut(): min(-0.99*std::numeric_limits<double>::max()), max(0.99*std::numeric_limits<double>::max()) {} /** * Create from XML tag. */ Cut(const XMLTag & tag, const std::map<std::string,std::set<long> >& ptypes): min(-0.99*std::numeric_limits<double>::max()), max(0.99*std::numeric_limits<double>::max()) { if ( !tag.getattr("type", type) ) throw std::runtime_error("Found cut tag without type attribute " "in Les Houches file"); long tmp; if ( tag.getattr("p1", np1) ) { if ( ptypes.find(np1) != ptypes.end() ) p1 = ptypes.find(np1)->second; else { tag.getattr("p1", tmp); p1.insert(tmp); np1 = ""; } } if ( tag.getattr("p2", np2) ) { if ( ptypes.find(np2) != ptypes.end() ) p2 = ptypes.find(np2)->second; else { tag.getattr("p2", tmp); p2.insert(tmp); np2 = ""; } } std::istringstream iss(tag.contents); iss >> min; if ( iss >> max ) { if ( min >= max ) min = -0.99*std::numeric_limits<double>::max(); } else max = 0.99*std::numeric_limits<double>::max(); } /** * Print out an XML tag. */ void print(std::ostream & file) const { file << "<cut type=\"" << type << "\""; if ( !np1.empty() ) file << " p1=\"" << np1 << "\""; else if ( p1.size() == 1 ) file << " p1=\"" << *p1.begin() << "\""; if ( !np2.empty() ) file << " p2=\"" << np2 << "\""; else if ( p2.size() == 1 ) file << " p2=\"" << *p2.begin() << "\""; file << ">"; if ( min > -0.9*std::numeric_limits<double>::max() ) file << min; else file << max; if ( max < 0.9*std::numeric_limits<double>::max() ) file << " " << max; file << "</cut>" << std::endl; } /** * Check if a \a id1 matches p1 and \a id2 matches p2. Only non-zero * values are considered. */ bool match(long id1, long id2 = 0) const { std::pair<bool,bool> ret(false, false); if ( !id2 ) ret.second = true; if ( !id1 ) ret.first = true; if ( p1.find(0) != p1.end() ) ret.first = true; if ( p1.find(id1) != p1.end() ) ret.first = true; if ( p2.find(0) != p2.end() ) ret.second = true; if ( p2.find(id2) != p2.end() ) ret.second = true; return ret.first && ret.second; } /** * Check if the particles given as a vector of PDG \a id numbers, * and a vector of vectors of momentum components, \a p, will pass * the cut defined in this event. */ bool passCuts(const std::vector<long> & id, const std::vector< std::vector<double> >& p ) const { if ( ( type == "m" && !p2.size() ) || type == "kt" || type == "eta" || type == "y" || type == "E" ) { for ( int i = 0, N = id.size(); i < N; ++i ) if ( match(id[i]) ) { if ( type == "m" ) { double v = p[i][4]*p[i][4] - p[i][3]*p[i][3] - p[i][2]*p[i][2] - p[i][1]*p[i][1]; v = v >= 0.0? std::sqrt(v): -std::sqrt(-v); if ( outside(v) ) return false; } else if ( type == "kt" ) { if ( outside(std::sqrt(p[i][2]*p[i][2] + p[i][1]*p[i][1])) ) return false; } else if ( type == "E" ) { if ( outside(p[i][4]) ) return false; } else if ( type == "eta" ) { if ( outside(eta(p[i])) ) return false; } else if ( type == "y" ) { if ( outside(rap(p[i])) ) return false; } } } else if ( type == "m" || type == "deltaR" ) { for ( int i = 1, N = id.size(); i < N; ++i ) for ( int j = 0; j < i; ++j ) if ( match(id[i], id[j]) || match(id[j], id[i]) ) { if ( type == "m" ) { double v = (p[i][4] + p[j][4])*(p[i][4] + p[j][4]) - (p[i][3] + p[j][3])*(p[i][3] + p[j][3]) - (p[i][2] + p[j][2])*(p[i][2] + p[j][2]) - (p[i][1] + p[j][1])*(p[i][1] + p[j][1]); v = v >= 0.0? std::sqrt(v): -std::sqrt(-v); if ( outside(v) ) return false; } else if ( type == "deltaR" ) { if ( outside(deltaR(p[i], p[j])) ) return false; } } } else if ( type == "ETmiss" ) { double x = 0.0; double y = 0.0; for ( int i = 0, N = id.size(); i < N; ++i ) if ( match(id[i]) && !match(0, id[i]) ) { x += p[i][1]; y += p[i][2]; } if ( outside(std::sqrt(x*x + y*y)) ) return false; } else if ( type == "HT" ) { double pt = 0.0; for ( int i = 0, N = id.size(); i < N; ++i ) if ( match(id[i]) && !match(0, id[i]) ) pt += std::sqrt(p[i][1]*p[i][1] + p[i][2]*p[i][2]); if ( outside(pt) ) return false; } return true; } /** * Return the pseudorapidity of a particle with momentum \a p. */ static double eta(const std::vector<double> & p) { double pt2 = p[2]*p[2] + p[1]*p[1]; if ( pt2 != 0.0 ) { double dum = std::sqrt(pt2 + p[3]*p[3]) + p[3]; if ( dum != 0.0 ) return std::log(dum/std::sqrt(pt2)); } return p[3] < 0.0? -std::numeric_limits<double>::max(): std::numeric_limits<double>::max(); } /** * Return the true rapidity of a particle with momentum \a p. */ static double rap(const std::vector<double> & p) { double pt2 = p[5]*p[5] + p[2]*p[2] + p[1]*p[1]; if ( pt2 != 0.0 ) { double dum = std::sqrt(pt2 + p[3]*p[3]) + p[3]; if ( dum != 0.0 ) return std::log(dum/std::sqrt(pt2)); } return p[3] < 0.0? -std::numeric_limits<double>::max(): std::numeric_limits<double>::max(); } /** * Return the delta-R of a particle pair with momenta \a p1 and \a p2. */ static double deltaR(const std::vector<double> & p1, const std::vector<double> & p2) { double deta = eta(p1) - eta(p2); double dphi = std::atan2(p1[1], p1[2]) - std::atan2(p2[1], p2[2]); if ( dphi > M_PI ) dphi -= 2.0*M_PI; if ( dphi < -M_PI ) dphi += 2.0*M_PI; return std::sqrt(dphi*dphi + deta*deta); } /** * Return true if the given \a value is outside limits. */ bool outside(double value) const { return value < min || value >= max; } /** * The variable in which to cut. */ std::string type; /** * The first types particle types for which this cut applies. */ std::set<long> p1; /** * Symbolic name for p1. */ std::string np1; /** * The second type of particles for which this cut applies. */ std::set<long> p2; /** * Symbolic name for p1. */ std::string np2; /** * The minimum value of the variable */ double min; /** * The maximum value of the variable */ double max; }; /** * The ProcInfo class represents the information in a procinfo tag. */ struct ProcInfo { /** * Intitialize default values. */ ProcInfo(): iproc(0), loops(0), qcdorder(-1), eworder(-1) {} /** * Create from XML tag. */ ProcInfo(const XMLTag & tag): iproc(0), loops(0), qcdorder(-1), eworder(-1) { tag.getattr("iproc", iproc); tag.getattr("loops", loops); tag.getattr("qcdorder", qcdorder); tag.getattr("eworder", eworder); tag.getattr("rscheme", rscheme); tag.getattr("fscheme", fscheme); tag.getattr("scheme", scheme); description = tag.contents; } /** * Print out an XML tag. */ void print(std::ostream & file) const { file << "<procinfo iproc=\"" << iproc << "\""; if ( loops >= 0 ) file << " loops=\"" << loops << "\""; if ( qcdorder >= 0 ) file << " qcdorder=\"" << qcdorder << "\""; if ( eworder >= 0 ) file << " eworder=\"" << eworder << "\""; if ( !rscheme.empty() ) file << " rscheme=\"" << rscheme << "\""; if ( !fscheme.empty() ) file << " fscheme=\"" << fscheme << "\""; if ( !scheme.empty() ) file << " scheme=\"" << scheme << "\""; if ( description.empty() ) file << "/>" << std::endl; else file << ">" << description << "<procinfo>" << std::endl; } /** * The id number for the process. */ int iproc; /** * The number of loops */ int loops; /** * The number of QCD vertices. */ int qcdorder; /** * The number of electro-weak vertices. */ int eworder; /** * The factorization scheme used. */ std::string fscheme; /** * The renormalization scheme used. */ std::string rscheme; /** * The NLO scheme used. */ std::string scheme; /** * Description of the process. */ std::string description; }; /** * The MergeInfo class represents the information in a mergeingo tag. */ struct MergeInfo { /** * Intitialize default values. */ MergeInfo(): iproc(0), mergingscale(0.0), maxmult(false) {} /** * Creat from XML tag. */ MergeInfo(const XMLTag & tag): iproc(0), mergingscale(0.0), maxmult(false) { tag.getattr("iproc", iproc); tag.getattr("mergingscale", mergingscale); tag.getattr("maxmult", maxmult); scheme = tag.contents; } /** * Print out an XML tag. */ void print(std::ostream & file) const { file << "<mergeinfo iproc=\"" << iproc << "\""; if ( mergingscale > 0.0 ) file << " mergingscale=\"" << mergingscale << "\""; if ( maxmult ) file << " maxmult=\"yes\""; file << ">" << scheme << "</mergeinfo>" << std::endl; } /** * The id number for the process. */ int iproc; /** * The sceme used to reweight events. */ std::string scheme; /** * The merging scale used if different from the cut definitions. */ double mergingscale; /** * Is this event reweighted as if it was the maximum multiplicity. */ bool maxmult; }; /** * The WeightInfo class encodes the description of a given weight * present for all events. */ struct WeightInfo { /** * Constructors */ WeightInfo(): inGroup(-1), muf(1.0), mur(1.0), pdf(0), pdf2(0) {} /** * Construct from the XML tag */ WeightInfo(const XMLTag & tag): inGroup(-1), muf(1.0), mur(1.0), pdf(0) { tag.getattr("name", name); tag.getattr("mur", mur); tag.getattr("muf", muf); tag.getattr("pdf", pdf); tag.getattr("pdf2", pdf2); } /** * Print out an XML tag. */ void print(std::ostream & file) const { file << "<weightinfo name=\"" << name << "\""; if ( mur != 1.0 ) file << " mur=\"" << mur << "\""; if ( muf != 1.0 ) file << " muf=\"" << muf << "\""; if ( pdf != 1.0 ) file << " pdf=\"" << pdf << "\""; if ( pdf2 != 1.0 ) file << " pdf2=\"" << pdf2 << "\""; file << " />" << std::endl; } /** * If inside a group, this is the index of that group. */ int inGroup; /** * The name. */ std::string name; /** * Factor multiplying the nominal factorization scale for this weight. */ double muf; /** * Factor multiplying the nominal renormalization scale for this weight. */ double mur; /** * The LHAPDF set relevant for this weight */ long pdf; /** * The LHAPDF set for the second beam relevant for this weight if different from pdf. */ long pdf2; }; /** * The WeightGroup assigns a group-name to a set of WeightInfo objects. */ struct WeightGroup { /** * Default constructor; */ WeightGroup() {} /** * Construct a group of WeightInfo objects from an XML tag and * insert them in the given vector. */ WeightGroup(const XMLTag & tag, int groupIndex, std::vector<WeightInfo> & wiv) { tag.getattr("name", name); for ( int i = 0, N = tag.tags.size(); i < N; ++i ) { WeightInfo wi(*tag.tags[i]); wi.inGroup = groupIndex; wiv.push_back(wi); } } /** * The name. */ std::string name; }; /** * The Weight class represents the information in a weight tag. */ struct Weight { /** * Initialize default values. */ Weight(): born(0.0), sudakov(0.0) {} /** * Create from XML tag */ Weight(const XMLTag & tag): born(0.0), sudakov(0.0) { tag.getattr("name", name); tag.getattr("born", born); tag.getattr("sudakov", sudakov); std::istringstream iss(tag.contents); double w; while ( iss >> w ) weights.push_back(w); } /** * Print out an XML tag. */ void print(std::ostream & file) const { file << "<weight"; if ( !name.empty() ) file << " name=\"" << name << "\""; if ( born != 0.0 ) file << " born=\"" << born << "\""; if ( sudakov != 0.0 ) file << " sudakov=\"" << sudakov << "\""; file << ">"; for ( int j = 0, M = weights.size(); j < M; ++j ) file << " " << weights[j]; file << "</weight>" << std::endl; } /** * The identifyer for this set of weights. */ std::string name; /** * The relative size of the born cross section of this event. */ double born; /** * The relative size of the sudakov applied to this event. */ double sudakov; /** * The weights of this event. */ std::vector<double> weights; }; /** * The Clus class represents a clustering of two particle entries into * one as defined in a clustering tag. */ struct Clus { /** * Initialize default values. */ Clus(): scale(-1.0), alphas(-1.0) {} /** * Initialize default values. */ Clus(const XMLTag & tag): scale(-1.0), alphas(-1.0) { tag.getattr("scale", scale); tag.getattr("alphas", alphas); std::istringstream iss(tag.contents); iss >> p1 >> p2; if ( !( iss >> p0 ) ) p0 = p1; } /** * Print out an XML tag. */ void print(std::ostream & file) const { file << "<clus"; if ( scale > 0.0 ) file << " scale=\"" << scale << "\""; if ( alphas > 0.0 ) file << " alphas\"" << alphas << "\""; file << ">" << p1 << " " << p2; if ( p1 != p0 ) file << " " << p0; file << "</clus>" << std::endl; } /** * The first particle entry that has been clustered. */ int p1; /** * The second particle entry that has been clustered. */ int p2; /** * The particle entry corresponding to the clustered particles. */ int p0; /** * The scale in GeV associated with the clustering. */ double scale; /** * The alpha_s used in the corresponding vertex, if this was used in * the cross section. */ double alphas; }; /** * Collect different scales relevant for an event. */ struct Scales { /** * Empty constructor. */ Scales(double defscale = -1.0) : muf(defscale), mur(defscale), mups(defscale), SCALUP(defscale) {} /** * Construct from an XML-tag */ Scales(const XMLTag & tag, double defscale = -1.0) : muf(defscale), mur(defscale), mups(defscale), SCALUP(defscale) { for ( std::map<std::string,std::string>::const_iterator it = tag.attr.begin(); it != tag.attr.end(); ++it ) { double v = std::atof(it->second.c_str()); if ( it->first == "muf" ) muf = v; else if ( it->first == "mur" ) mur = v; else if ( it->first == "mups" ) mups = v; else mu[it->first] = v; } } /** * Print out the corresponding XML-tag. */ void print(std::ostream & file) const { if ( muf == SCALUP && mur == SCALUP && mups == SCALUP && mu.size() == 0 ) return; file << "<scales"; if ( muf != SCALUP ) file << " muf=\"" << muf << "\""; if ( mur != SCALUP ) file << " mur=\"" << mur << "\""; if ( mups != SCALUP ) file << " mups=\"" << mups << "\""; for ( std::map<std::string,double>::const_iterator it = mu.begin(); it != mu.end(); ++it ) file << " " << it->first << "=\"" << it->second << "\""; file << " />" << std::endl; } /** * The factorization scale used for this event. */ double muf; /** * The renormalization scale used for this event. */ double mur; /** * The starting scale for the parton shower as suggested by the * matrix element generator. */ double mups; /** * Any other scales reported by the matrix element generator. */ std::map<std::string,double> mu; /** * The default scale in this event. */ double SCALUP; }; /** * The PDFInfo class represents the information in a pdfinto tag. */ struct PDFInfo { /** * Initialize default values. */ PDFInfo(double defscale = -1.0): p1(0), p2(0), x1(-1.0), x2(-1.0), xf1(-1.0), xf2(-1.0), scale(defscale), SCALUP(defscale) {} /** * Create from XML tag. */ PDFInfo(const XMLTag & tag, double defscale = -1.0) : p1(0), p2(0), x1(-1.0), x2(-1.0), xf1(-1.0), xf2(-1.0), scale(defscale), SCALUP(defscale) { tag.getattr("scale", scale); tag.getattr("p1", p1); tag.getattr("p2", p2); tag.getattr("x1", x1); tag.getattr("x2", x2); std::istringstream iss(tag.contents); iss >> xf1 >> xf2; } /** * Print out an XML tag. */ void print(std::ostream & file) const { if ( xf1 <= 0 ) return; file << "<pdfinfo"; if ( p1 != 0 ) file << " p1=\"" << p1 << "\""; if ( p2 != 0 ) file << " p2=\"" << p2 << "\""; if ( x1 > 0 ) file << " x1=\"" << x1 << "\""; if ( x2 > 0 ) file << " x2=\"" << x2 << "\""; if ( scale != SCALUP ) file << " scale=\"" << scale << "\""; file << ">" << xf1 << " " << xf2 << "</pdfinfo>" << std::endl; } /** * The type of the incoming particle 1. */ long p1; /** * The type of the incoming particle 2. */ long p2; /** * The x-value used for the incoming particle 1. */ double x1; /** * The x-value used for the incoming particle 2. */ double x2; /** * The value of the pdf for the incoming particle 1. */ double xf1; /** * The value of the pdf for the incoming particle 2. */ double xf2; /** * The scale used in the PDF:s */ double scale; /** * THe default scale in the event. */ double SCALUP; }; /** * The HEPRUP class is a simple container corresponding to the Les Houches * accord (<A HREF="http://arxiv.org/abs/hep-ph/0109068">hep-ph/0109068</A>) * common block with the same name. The members are named in the same * way as in the common block. However, fortran arrays are represented * by vectors, except for the arrays of length two which are * represented by pair objects. */ class HEPRUP { public: /** @name Standard constructors and destructors. */ //@{ /** * Default constructor. */ HEPRUP() : IDWTUP(0), NPRUP(0) {} /** * Assignment operator. */ HEPRUP & operator=(const HEPRUP & x) { IDBMUP = x.IDBMUP; EBMUP = x.EBMUP; PDFGUP = x.PDFGUP; PDFSUP = x.PDFSUP; IDWTUP = x.IDWTUP; NPRUP = x.NPRUP; XSECUP = x.XSECUP; XERRUP = x.XERRUP; XMAXUP = x.XMAXUP; LPRUP = x.LPRUP; xsecinfo = x.xsecinfo; cuts = x.cuts; ptypes = x.ptypes; procinfo = x.procinfo; mergeinfo = x.mergeinfo; generators = x.generators; return *this; } /** * Destructor. */ ~HEPRUP() {} //@} public: /** * Set the NPRUP variable, corresponding to the number of * sub-processes, to \a nrup, and resize all relevant vectors * accordingly. */ void resize(int nrup) { NPRUP = nrup; resize(); } /** * Assuming the NPRUP variable, corresponding to the number of * sub-processes, is correctly set, resize the relevant vectors * accordingly. */ void resize() { XSECUP.resize(NPRUP); XERRUP.resize(NPRUP); XMAXUP.resize(NPRUP); LPRUP.resize(NPRUP); } public: /** * PDG id's of beam particles. (first/second is in +/-z direction). */ std::pair<long,long> IDBMUP; /** * Energy of beam particles given in GeV. */ std::pair<double,double> EBMUP; /** * The author group for the PDF used for the beams according to the * PDFLib specification. */ std::pair<int,int> PDFGUP; /** * The id number the PDF used for the beams according to the * PDFLib specification. */ std::pair<int,int> PDFSUP; /** * Master switch indicating how the ME generator envisages the * events weights should be interpreted according to the Les Houches * accord. */ int IDWTUP; /** * The number of different subprocesses in this file. */ int NPRUP; /** * The cross sections for the different subprocesses in pb. */ std::vector<double> XSECUP; /** * The statistical error in the cross sections for the different * subprocesses in pb. */ std::vector<double> XERRUP; /** * The maximum event weights (in HEPEUP::XWGTUP) for different * subprocesses. */ std::vector<double> XMAXUP; /** * The subprocess code for the different subprocesses. */ std::vector<int> LPRUP; /** * Contents of the xsecinfo tag */ XSecInfo xsecinfo; /** * Contents of the cuts tag. */ std::vector<Cut> cuts; /** * A map of codes for different particle types. */ std::map<std::string, std::set<long> > ptypes; /** * Contents of the procinfo tags */ std::map<long,ProcInfo> procinfo; /** * Contents of the mergeinfo tags */ std::map<long,MergeInfo> mergeinfo; /** * The names of the programs and their version information used to * create this file. */ std::vector< std::pair<std::string,std::string> > generators; /** * The vector of WeightInfo objects for this file. */ std::vector<WeightInfo> weightinfo; /** * A map relating names of weights to indices of the weightinfo vector. */ std::map<std::string,int> weightmap; /** * The vector of WeightGroup objects in this file. */ std::vector<WeightGroup> weightgroup; }; class HEPEUP; /** * The EventGroup represents a set of events which are to be * considered together. */ struct EventGroup: public std::vector<HEPEUP*> { /** * Initialize default values. */ EventGroup(): nreal(-1), ncounter(-1) {} /** * The copy constructor also copies the included HEPEUP object. */ EventGroup(const EventGroup &); /** * The assignment also copies the included HEPEUP object. */ EventGroup & operator=(const EventGroup &); /** * Remove all subevents. */ void clear(); /** * The destructor deletes the included HEPEUP objects. */ ~EventGroup(); /** * The number of real events in this event group. */ int nreal; /** * The number of counter events in this event group. */ int ncounter; }; /** * The HEPEUP class is a simple container corresponding to the Les Houches accord * (<A HREF="http://arxiv.org/abs/hep-ph/0109068">hep-ph/0109068</A>) * common block with the same name. The members are named in the same * way as in the common block. However, fortran arrays are represented * by vectors, except for the arrays of length two which are * represented by pair objects. */ class HEPEUP { public: /** @name Standard constructors and destructors. */ //@{ /** * Default constructor. */ HEPEUP() : NUP(0), IDPRUP(0), XWGTUP(0.0), XPDWUP(0.0, 0.0), SCALUP(0.0), AQEDUP(0.0), AQCDUP(0.0), heprup(0), currentWeight(0) {} /** * Copy constructor */ HEPEUP(const HEPEUP & x) { operator=(x); } /** * Copy information from the given HEPEUP. Sub event information is * left untouched. */ HEPEUP & setEvent(const HEPEUP & x) { NUP = x.NUP; IDPRUP = x.IDPRUP; XWGTUP = x.XWGTUP; XPDWUP = x.XPDWUP; SCALUP = x.SCALUP; AQEDUP = x.AQEDUP; AQCDUP = x.AQCDUP; IDUP = x.IDUP; ISTUP = x.ISTUP; MOTHUP = x.MOTHUP; ICOLUP = x.ICOLUP; PUP = x.PUP; VTIMUP = x.VTIMUP; SPINUP = x.SPINUP; heprup = x.heprup; oldweights = x.oldweights; weights = x.weights; pdfinfo = x.pdfinfo; PDFGUPsave = x.PDFGUPsave; PDFSUPsave = x.PDFSUPsave; clustering = x.clustering; scales = x.scales; currentWeight = x.currentWeight; return *this; } /** * Assignment operator. */ HEPEUP & operator=(const HEPEUP & x) { clear(); setEvent(x); subevents = x.subevents; return *this; } /** * Destructor. */ ~HEPEUP() { clear(); }; //@} public: /** * Reset the HEPEUP object (does not touch the sub events). */ void reset() { setWeightInfo(0); NUP = 0; clustering.clear(); weights.clear(); } /** * Clear the HEPEUP object. */ void clear() { reset(); subevents.clear(); } /** * Set the NUP variable, corresponding to the number of particles in * the current event, to \a nup, and resize all relevant vectors * accordingly. */ void resize(int nup) { NUP = nup; resize(); } /** * Return the main weight for this event. */ double weight() const { if ( !subevents.empty() ) { double w = 0.0; for ( int i = 0, N = subevents.size(); i < N; ++i ) w += subevents[i]->weight(); return w; } if ( oldweights.empty() || oldweights[0].weights.empty() ) return XWGTUP; else return oldweights[0].weights[0]; } /** * Assuming the NUP variable, corresponding to the number of * particles in the current event, is correctly set, resize the * relevant vectors accordingly. */ void resize() { IDUP.resize(NUP); ISTUP.resize(NUP); MOTHUP.resize(NUP); ICOLUP.resize(NUP); PUP.resize(NUP, std::vector<double>(5)); VTIMUP.resize(NUP); SPINUP.resize(NUP); } /** * Setup the current event to use weight i. If zero, the default * weight will be used. */ bool setWeightInfo(unsigned int i) { if ( i >= weights.size() ) return false; if ( currentWeight ) { scales.mur /= currentWeight->mur; scales.muf /= currentWeight->muf; heprup->PDFGUP = PDFGUPsave; heprup->PDFSUP = PDFSUPsave; } XWGTUP = weights[i].first; currentWeight = weights[i].second; if ( currentWeight ) { scales.mur *= currentWeight->mur; scales.muf *= currentWeight->muf; PDFGUPsave = heprup->PDFGUP; PDFSUPsave = heprup->PDFSUP; if ( currentWeight->pdf ) { heprup->PDFGUP.first = heprup->PDFGUP.second = 0; heprup->PDFSUP.first = heprup->PDFSUP.second = currentWeight->pdf; } if ( currentWeight->pdf2 ) { heprup->PDFSUP.second = currentWeight->pdf2; } } return true; } /** * Setup the current event to use sub event i. If zero, no sub event * will be chsen. */ bool setSubEvent(unsigned int i) { if ( i > subevents.size() || subevents.empty() ) return false; if ( i == 0 ) { reset(); weights = subevents[0]->weights; for ( int i = 1, N = subevents.size(); i < N; ++i ) for ( int j = 0, M = weights.size(); j < M; ++j ) weights[j].first += subevents[i]->weights[j].first; currentWeight = 0; } else { setEvent(*subevents[i - 1]); } return true; } public: /** * The number of particle entries in the current event. */ int NUP; /** * The subprocess code for this event (as given in LPRUP). */ int IDPRUP; /** * The weight for this event. */ double XWGTUP; /** * The PDF weights for the two incoming partons. Note that this * variable is not present in the current LesHouches accord * (<A HREF="http://arxiv.org/abs/hep-ph/0109068">hep-ph/0109068</A>), * hopefully it will be present in a future accord. */ std::pair<double,double> XPDWUP; /** * The scale in GeV used in the calculation of the PDF's in this * event. */ double SCALUP; /** * The value of the QED coupling used in this event. */ double AQEDUP; /** * The value of the QCD coupling used in this event. */ double AQCDUP; /** * The PDG id's for the particle entries in this event. */ std::vector<long> IDUP; /** * The status codes for the particle entries in this event. */ std::vector<int> ISTUP; /** * Indices for the first and last mother for the particle entries in * this event. */ std::vector< std::pair<int,int> > MOTHUP; /** * The colour-line indices (first(second) is (anti)colour) for the * particle entries in this event. */ std::vector< std::pair<int,int> > ICOLUP; /** * Lab frame momentum (Px, Py, Pz, E and M in GeV) for the particle * entries in this event. */ std::vector< std::vector<double> > PUP; /** * Invariant lifetime (c*tau, distance from production to decay in * mm) for the particle entries in this event. */ std::vector<double> VTIMUP; /** * Spin info for the particle entries in this event given as the * cosine of the angle between the spin vector of a particle and the * 3-momentum of the decaying particle, specified in the lab frame. */ std::vector<double> SPINUP; /** * A pointer to the current HEPRUP object. */ HEPRUP * heprup; /** * The current weight info object. */ const WeightInfo * currentWeight; /** * The weights associated with this event */ std::vector<Weight> oldweights; /** * The weights for this event and their corresponding WeightInfo object. */ std::vector< std::pair<double, const WeightInfo *> > weights; /** * Contents of the clustering tag. */ std::vector<Clus> clustering; /** * Contents of the pdfinfo tag. */ PDFInfo pdfinfo; /** * Saved information about pdfs if different in a selected weight. */ std::pair<int,int> PDFGUPsave; /** * Saved information about pdfs if different in a selected weight. */ std::pair<int,int> PDFSUPsave; /** * Contents of the scales tag */ Scales scales; /** * If this is not a single event, but an event group, the events * included in the group are in this vector; */ EventGroup subevents; }; // Destructor implemented here. void EventGroup::clear() { while ( size() > 0 ) { delete back(); pop_back(); } } EventGroup::~EventGroup() { clear(); } EventGroup::EventGroup(const EventGroup &) { for ( int i = 0, N = size(); i < N; ++i ) at(i) = new HEPEUP(*at(i)); } EventGroup & EventGroup::operator=(const EventGroup & x) { if ( &x == this ) return *this; clear(); nreal = x.nreal; ncounter = x.ncounter; for ( int i = 0, N = x.size(); i < N; ++i ) push_back(new HEPEUP(*x.at(i))); return *this; } /** * The Reader class is initialized with a stream from which to read a * version 1/2 Les Houches Accord event file. In the constructor of * the Reader object the optional header information is read and then * the mandatory init is read. After this the whole header block * including the enclosing lines with tags are available in the public * headerBlock member variable. Also the information from the init * block is available in the heprup member variable and any additional * comment lines are available in initComments. After each successful * call to the readEvent() function the standard Les Houches Accord * information about the event is available in the hepeup member * variable and any additional comments in the eventComments * variable. A typical reading sequence would look as follows: * * */ class Reader { public: /** * Initialize the Reader with a stream from which to read an event * file. After the constructor is called the whole header block * including the enclosing lines with tags are available in the * public headerBlock member variable. Also the information from the * init block is available in the heprup member variable and any * additional comment lines are available in initComments. * * @param is the stream to read from. */ Reader(std::istream & is) : file(is) { init(); } /** * Initialize the Reader with a filename from which to read an event * file. After the constructor is called the whole header block * including the enclosing lines with tags are available in the * public headerBlock member variable. Also the information from the * init block is available in the heprup member variable and any * additional comment lines are available in initComments. * * @param filename the name of the file to read from. */ Reader(std::string filename) : intstream(filename.c_str()), file(intstream) { init(); } private: /** * Used internally in the constructors to read header and init * blocks. */ void init() { bool readingHeader = false; bool readingInit = false; // Make sure we are reading a LHEF file: getline(); if ( currentLine.find("<LesHouchesEvents" ) == std::string::npos ) throw std::runtime_error ("Tried to read a file which does not start with the " "LesHouchesEvents tag."); version = 1; if ( currentLine.find("version=\"2" ) != std::string::npos ) version = 2; else if ( currentLine.find("version=\"1" ) == std::string::npos ) throw std::runtime_error ("Tried to read a LesHouchesEvents file which is not version 1.0."); // Loop over all lines until we hit the </init> tag. while ( getline() && currentLine.find("</init>") == std::string::npos ) { if ( currentLine.find("<header") != std::string::npos ) { // We have hit the header block, so we should dump this and // all following lines to headerBlock until we hit the end of // it. readingHeader = true; headerBlock = currentLine + "\n"; } else if ( currentLine.find("<init>") != std::string::npos ) { // We have hit the init block, so we should expect to find the // standard information in the following. readingInit = true; // The first line tells us how many lines to read next. getline(); std::istringstream iss(currentLine); if ( !( iss >> heprup.IDBMUP.first >> heprup.IDBMUP.second >> heprup.EBMUP.first >> heprup.EBMUP.second >> heprup.PDFGUP.first >> heprup.PDFGUP.second >> heprup.PDFSUP.first >> heprup.PDFSUP.second >> heprup.IDWTUP >> heprup.NPRUP ) ) { heprup.NPRUP = -42; return; } heprup.resize(); for ( int i = 0; i < heprup.NPRUP; ++i ) { getline(); std::istringstream iss(currentLine); if ( !( iss >> heprup.XSECUP[i] >> heprup.XERRUP[i] >> heprup.XMAXUP[i] >> heprup.LPRUP[i] ) ) { heprup.NPRUP = -42; return; } } } else if ( currentLine.find("</header>") != std::string::npos ) { // The end of the header block. Dump this line as well to the // headerBlock and we're done. readingHeader = false; headerBlock += currentLine + "\n"; } else if ( readingHeader ) { // We are in the process of reading the header block. Dump the // line to haderBlock. headerBlock += currentLine + "\n"; } else if ( readingInit ) { // Here we found a comment line. Dump it to initComments. initComments += currentLine + "\n"; } else { // We found some other stuff outside the standard tags. outsideBlock += currentLine + "\n"; } } if ( !file ) heprup.NPRUP = -42; if ( version < 2 ) return; heprup.procinfo.clear(); heprup.mergeinfo.clear(); // Scan the init block for XML tags std::string leftovers; std::vector<XMLTag*> tags = XMLTag::findXMLTags(initComments, &leftovers); if ( leftovers.find_first_not_of(" \t\n") == std::string::npos ) leftovers=""; initComments = leftovers; for ( int i = 0, N = tags.size(); i < N; ++i ) { const XMLTag & tag = *tags[i]; if ( tag.name == "weightinfo" ) { heprup.weightinfo.push_back(WeightInfo(tag)); } if ( tag.name == "weightgroup" ) { heprup.weightgroup.push_back(WeightGroup(tag, heprup.weightgroup.size(), heprup.weightinfo)); } if ( tag.name == "xsecinfo" ) { heprup.xsecinfo = XSecInfo(tag); } if ( tag.name == "generator" ) { std::string vers; tag.getattr("version", vers); heprup.generators.push_back(make_pair(tag.contents, vers)); } else if ( tag.name == "cutsinfo" ) { heprup.cuts.clear(); heprup.ptypes.clear(); for ( int j = 0, M = tag.tags.size(); j < M; ++j ) { XMLTag & ctag = *tag.tags[j]; if ( ctag.name == "ptype" ) { std::string tname = ctag.attr["name"]; long id; std::istringstream iss(ctag.contents); while ( iss >> id ) heprup.ptypes[tname].insert(id); } else if ( ctag.name == "cut" ) heprup.cuts.push_back(Cut(ctag, heprup.ptypes)); } } else if ( tag.name == "procinfo" ) { ProcInfo proc(tag); heprup.procinfo[proc.iproc] = proc; } else if ( tag.name == "mergeinfo" ) { MergeInfo merge(tag); heprup.mergeinfo[merge.iproc] = merge; } } for ( int i = 0, N = heprup.weightinfo.size(); i < N; ++i ) heprup.weightmap[heprup.weightinfo[i].name] = i; if ( heprup.xsecinfo.neve < 0 ) throw std::runtime_error("Found Les Houches event file without xsecinfo tag."); } public: /** * Read an event from the file and store it in the hepeup * object. Optional comment lines are stored i the eventComments * member variable. * @return true if the read sas successful. */ bool readEvent(HEPEUP * peup = 0) { HEPEUP & eup = (peup? *peup: hepeup); eup.clear(); eup.heprup = &heprup; // Check if the initialization was successful. Otherwise we will // not read any events. if ( heprup.NPRUP < 0 ) return false; eventComments = ""; outsideBlock = ""; eup.NUP = 0; // Keep reading lines until we hit the next event or the end of // the event block. Save any inbetween lines. Exit if we didn't // find an event. while ( getline() && currentLine.find("<event") == std::string::npos && currentLine.find("</eventgroup>") == std::string::npos ) outsideBlock += currentLine + "\n"; if ( currentLine.find("<eventgroup") != std::string::npos ) { std::vector<XMLTag*> tags = XMLTag::findXMLTags(currentLine + "</eventgroup>"); if ( tags.empty() ) throw std::runtime_error("Found incomplete eventgroup tag in " "Les Houches file."); tags[0]->getattr("nreal", eup.subevents.nreal); tags[0]->getattr("ncounter", eup.subevents.ncounter); while ( !tags.empty() ) { delete tags.back(); tags.pop_back(); } while ( true ) { HEPEUP * subeup = new HEPEUP(); if ( readEvent(subeup) ) eup.subevents.push_back(subeup); else { delete subeup; break; } } if ( eup.subevents.empty() ) return false; eup.setSubEvent(0); return true; } if ( currentLine.find("</eventgroup>") != std::string::npos ) return false; if ( !getline() ) return false; // We found an event. The first line determines how many // subsequent particle lines we have. std::istringstream iss(currentLine); if ( !( iss >> eup.NUP >> eup.IDPRUP >> eup.XWGTUP >> eup.SCALUP >> eup.AQEDUP >> eup.AQCDUP ) ) return false; eup.resize(); // Read all particle lines. for ( int i = 0; i < eup.NUP; ++i ) { if ( !getline() ) return false; std::istringstream iss(currentLine); if ( !( iss >> eup.IDUP[i] >> eup.ISTUP[i] >> eup.MOTHUP[i].first >> eup.MOTHUP[i].second >> eup.ICOLUP[i].first >> eup.ICOLUP[i].second >> eup.PUP[i][0] >> eup.PUP[i][1] >> eup.PUP[i][2] >> eup.PUP[i][3] >> eup.PUP[i][4] >> eup.VTIMUP[i] >> eup.SPINUP[i] ) ) return false; } // Now read any additional comments. while ( getline() && currentLine.find("</event>") == std::string::npos ) eventComments += currentLine + "\n"; if ( !file ) return false; if ( version < 2 ) return true; eup.scales = Scales(eup.SCALUP); eup.pdfinfo = PDFInfo(eup.SCALUP); std::map<std::string,std::string>::const_iterator attrit; // Scan the init block for XML tags std::string leftovers; std::vector<XMLTag*> tags = XMLTag::findXMLTags(eventComments, &leftovers); if ( leftovers.find_first_not_of(" \t\n") == std::string::npos ) leftovers=""; eventComments = leftovers; for ( int i = 0, N = tags.size(); i < N; ++i ) { XMLTag & tag = *tags[i]; if ( tag.name == "weights" ) { eup.weights.clear(); eup.weights.resize(heprup.weightinfo.size() + 1, std::make_pair(eup.XWGTUP, (WeightInfo*)(0))); for ( int i = 1, N = eup.weights.size(); i < N; ++i ) eup.weights[i].second = &heprup.weightinfo[i - 1]; eup.weights.front().first = eup.XWGTUP; double w = 0.0; int i = 0; std::istringstream iss(tag.contents); while ( iss >> w && ++i < int(eup.weights.size()) ) eup.weights[i].first = w; } if ( tag.name == "weight" ) { eup.oldweights.push_back(Weight(tag)); } else if ( tag.name == "clustering" ) { for ( int j = 0, M= tag.tags.size(); j < M; ++j ) { if ( tag.tags[j]->name == "clus" ) eup.clustering.push_back(Clus(*tag.tags[j])); } } else if ( tag.name == "pdfinfo" ) { eup.pdfinfo = PDFInfo(tag, eup.SCALUP); } else if ( tag.name == "scales" ) { eup.scales = Scales(tag, eup.SCALUP); } delete &tag; } return true; } protected: /** * Used internally to read a single line from the stream. */ bool getline() { return ( std::getline(file, currentLine) ); } protected: /** * A local stream which is unused if a stream is supplied from the * outside. */ std::ifstream intstream; /** * The stream we are reading from. This may be a reference to an * external stream or the internal intstream. */ std::istream & file; /** * The last line read in from the stream in getline(). */ std::string currentLine; public: /** * XML file version */ int version; /** * All lines (since the last readEvent()) outside the header, init * and event tags. */ std::string outsideBlock; /** * All lines from the header block. */ std::string headerBlock; /** * The standard init information. */ HEPRUP heprup; /** * Additional comments found in the init block. */ std::string initComments; /** * The standard information about the last read event. */ HEPEUP hepeup; /** * Additional comments found with the last read event. */ std::string eventComments; private: /** * The default constructor should never be used. */ Reader(); /** * The copy constructor should never be used. */ Reader(const Reader &); /** * The Reader cannot be assigned to. */ Reader & operator=(const Reader &); }; /** * The Writer class is initialized with a stream to which to write a * version 1.0 Les Houches Accord event file. In the constructor of * the Writer object the main XML tag is written out, with the * corresponding end tag is written in the destructor. After a Writer * object has been created, it is possible to assign standard init * information in the heprup member variable. In addition any XML * formatted information can be added to the headerBlock member * variable (directly or via the addHeader() function). Further * comment line (beginning with a <code>#</code> character) can be * added to the initComments variable (directly or with the * addInitComment() function). After this information is set, it * should be written out to the file with the init() function. * * Before each event is written out with the writeEvent() function, * the standard event information can then be assigned to the hepeup * variable and optional comment lines (beginning with a * <code>#</code> character) may be given to the eventComments * variable (directly or with the addEventComment() function). * */ class Writer { public: /** * Create a Writer object giving a stream to write to. * @param os the stream where the event file is written. */ Writer(std::ostream & os, bool commentEventCommentsIn = false) : file(os) { commentEventComments=commentEventCommentsIn; } /** * Create a Writer object giving a filename to write to. * @param filename the name of the event file to be written. */ Writer(std::string filename, bool commentEventCommentsIn = false) : intstream(filename.c_str()), file(intstream) { commentEventComments=commentEventCommentsIn; } /** * The destructor writes out the final XML end-tag. */ ~Writer() { file << "</LesHouchesEvents>" << std::endl; } /** * Add header lines consisting of XML code with this stream. */ std::ostream & headerBlock() { return headerStream; } /** * Add comment lines to the init block with this stream. */ std::ostream & initComments() { return initStream; } /** * Add comment lines to the next event to be written out with this stream. */ std::ostream & eventComments() { return eventStream; } /** * Write out an optional header block followed by the standard init * block information together with any comment lines. */ void init() { // Write out the standard XML tag for the event file. if ( heprup.xsecinfo.neve > 0 ) file << "<LesHouchesEvents version=\"2.1\">\n"; else file << "<LesHouchesEvents version=\"1.0\">\n"; file << std::setprecision(8); using std::setw; std::string headerBlock = headerStream.str(); if ( headerBlock.length() ) { if ( headerBlock.find("<header>") == std::string::npos ) file << "<header>\n"; if ( headerBlock[headerBlock.length() - 1] != '\n' ) headerBlock += '\n'; file << headerBlock; if ( headerBlock.find("</header>") == std::string::npos ) file << "</header>\n"; } file << "<init>\n" << " " << setw(8) << heprup.IDBMUP.first << " " << setw(8) << heprup.IDBMUP.second << " " << setw(14) << heprup.EBMUP.first << " " << setw(14) << heprup.EBMUP.second << " " << setw(4) << heprup.PDFGUP.first << " " << setw(4) << heprup.PDFGUP.second << " " << setw(4) << heprup.PDFSUP.first << " " << setw(4) << heprup.PDFSUP.second << " " << setw(4) << heprup.IDWTUP << " " << setw(4) << heprup.NPRUP << std::endl; heprup.resize(); for ( int i = 0; i < heprup.NPRUP; ++i ) file << " " << setw(14) << heprup.XSECUP[i] << " " << setw(14) << heprup.XERRUP[i] << " " << setw(14) << heprup.XMAXUP[i] << " " << setw(6) << heprup.LPRUP[i] << std::endl; if ( heprup.xsecinfo.neve <= 0 ) { file << hashline(initStream.str()) << "</init>" << std::endl; eventStream.str(""); return; } for ( int i = 0, N = heprup.generators.size(); i < N; ++i ) { file << "<generator"; if ( heprup.generators[i].second.size() ) file << " version=\"" << heprup.generators[i].second << "\""; file << ">" << heprup.generators[i].first << "</generator>" << std::endl; } heprup.xsecinfo.print(file); if ( heprup.cuts.size() > 0 ) { file << "<cutsinfo>" << std::endl; for ( std::map<std::string, std::set<long> >::iterator ptit = heprup.ptypes.begin(); ptit != heprup.ptypes.end(); ++ptit ) { file << "<ptype name=\"" << ptit->first << "\">"; for ( std::set<long>::const_iterator it = ptit->second.begin(); it != ptit->second.end(); ++it ) file << " " << *it; file << "</ptype>" << std::endl; } for ( int i = 0, N = heprup.cuts.size(); i < N; ++i ) heprup.cuts[i].print(file); file << "</cutsinfo>" << std::endl; } for ( std::map<long,ProcInfo>::const_iterator it = heprup.procinfo.begin(); it != heprup.procinfo.end(); ++it ) it->second.print(file); for ( std::map<long,MergeInfo>::const_iterator it = heprup.mergeinfo.begin(); it != heprup.mergeinfo.end(); ++it ) it->second.print(file); int ingroup = -1; for ( int i = 0, N = heprup.weightinfo.size(); i < N; ++i ) { int group = heprup.weightinfo[i].inGroup; if ( group != ingroup ) { if ( ingroup != -1 ) file << "</weightgroup>\n"; if ( group != -1 ) file << "<weightgroup name=\"" << heprup.weightgroup[group].name << "\" >\n"; ingroup = group; } heprup.weightinfo[i].print(file); } if ( ingroup != -1 ) file << "</weightgroup>\n"; file << hashline(initStream.str()) << "</init>" << std::endl; eventStream.str(""); } /** * Write out the event stored in hepeup, followed by optional * comment lines. */ bool writeEvent(HEPEUP * peup = 0) { HEPEUP & eup = (peup? *peup: hepeup); if ( !eup.subevents.empty() ) { file << "<eventgroup"; if ( eup.subevents.nreal > 0 ) file << " nreal=\"" << eup.subevents.nreal << "\""; if ( eup.subevents.ncounter > 0 ) file << " ncounter=\"" << eup.subevents.ncounter << "\""; file << ">" << std::endl; for ( int i = 0, N = eup.subevents.size(); i < N; ++i ) if ( !writeEvent(eup.subevents[i]) ) return false; file << "</eventgroup>" << std::endl; return true; } using std::setw; file << "<event>\n"; file << " " << setw(4) << eup.NUP << " " << setw(6) << eup.IDPRUP << " " << setw(14) << eup.XWGTUP << " " << setw(14) << eup.SCALUP << " " << setw(14) << eup.AQEDUP << " " << setw(14) << eup.AQCDUP << "\n"; eup.resize(); for ( int i = 0; i < eup.NUP; ++i ) file << " " << setw(8) << eup.IDUP[i] << " " << setw(2) << eup.ISTUP[i] << " " << setw(4) << eup.MOTHUP[i].first << " " << setw(4) << eup.MOTHUP[i].second << " " << setw(4) << eup.ICOLUP[i].first << " " << setw(4) << eup.ICOLUP[i].second << " " << setw(14) << eup.PUP[i][0] << " " << setw(14) << eup.PUP[i][1] << " " << setw(14) << eup.PUP[i][2] << " " << setw(14) << eup.PUP[i][3] << " " << setw(14) << eup.PUP[i][4] << " " << setw(1) << eup.VTIMUP[i] << " " << setw(1) << eup.SPINUP[i] << std::endl; if ( heprup.xsecinfo.neve > 0 ) { if ( eup.weights.size() > 0 ) { file << "<weights>"; for ( int i = 1, N = eup.weights.size(); i < N; ++i ) file << " " << eup.weights[i].first; file << "</weights>\n"; } for ( int i = 0, N = eup.oldweights.size(); i < N; ++i ) eup.oldweights[i].print(file); if ( !eup.clustering.empty() ) { file << "<clustering>" << std::endl; for ( int i = 0, N = eup.clustering.size(); i < N; ++i ) eup.clustering[i].print(file); file << "</clustering>" << std::endl; } eup.pdfinfo.print(file); eup.scales.print(file); } file << hashline(eventStream.str()) << "</event>\n"; eventStream.str(""); if ( !file ) return false; return true; } protected: /** * Make sure that each line in the string \a s starts with a * #-character and that the string ends with a new-line. */ std::string hashline(std::string s) { std::string ret; std::istringstream is(s); std::string ss; while ( getline(is, ss) ) { if ( commentEventComments && ( ss.find('#') == std::string::npos || ss.find('#') != ss.find_first_not_of(" \t") ) ) ss = "# " + ss; ret += ss + '\n'; } return ret; } protected: /** * A local stream which is unused if a stream is supplied from the * outside. */ std::ofstream intstream; /** * The stream we are writing to. This may be a reference to an * external stream or the internal intstream. */ std::ostream & file; /** * Boolean specifying if the writer should always hash-tag eventComment lines. */ bool commentEventComments; public: /** * Stream to add all lines in the header block. */ std::ostringstream headerStream; /** * The standard init information. */ HEPRUP heprup; /** * Stream to add additional comments to be put in the init block. */ std::ostringstream initStream; /** * The standard information about the event we will write next. */ HEPEUP hepeup; /** * Stream to add additional comments to be written together the next event. */ std::ostringstream eventStream; private: /** * The default constructor should never be used. */ Writer(); /** * The copy constructor should never be used. */ Writer(const Writer &); /** * The Writer cannot be assigned to. */ Writer & operator=(const Writer &); }; } /** \example LHEFCat.cc This is a main function which simply reads a Les Houches Event File from the standard input and writes it again to the standard output. This file can be downloaded from <A HREF="http://www.thep.lu.se/~leif/LHEF/LHEFCat.cc">here</A>. There is also a sample <A HREF="http://www.thep.lu.se/~leif/LHEF/ttV_unweighted_events.lhe">event file</A> to try it on. */ /**\mainpage Les Houches Event File Here are some example classes for reading and writing Les Houches Event Files according to the <A HREF="http://www.thep.lu.se/~torbjorn/lhef/lhafile2.pdf">proposal</A> by Torbj&ouml;rn Sj&ouml;strand discussed at the <A HREF="http://mc4lhc06.web.cern.ch/mc4lhc06/">MC4LHC</A> workshop at CERN 2006. The classes has now been updated to handle the suggested version 2.1 of this file standard as discussed at the <a href="http://phystev.in2p3.fr/wiki/2013:groups:tools:lhef3">Les Houches workshop 2013</a> (The previous suggested version 2.0 was discussed at the <a href="http://www.lpthe.jussieu.fr/LesHouches09Wiki/index.php/LHEF_for_Matching">Les Houches workshop 2009</a>). There is a whole set of classes available in a single header file called <A HREF="http://www.thep.lu.se/~leif/LHEF/LHEF.h">LHEF.h</A>. The two classes LHEF::HEPRUP and LHEF::HEPEUP are simple container classes which contain the same information as the Les Houches standard Fortran common blocks with the same names. They also contain the extra information defined in version 2.1 in the standard. The other two main classes are called LHEF::Reader and LHEF::Writer and are used to read and write Les Houches Event Files Here are a few <A HREF="examples.html">examples</A> of how to use the classes: \namespace LHEF The LHEF namespace contains some example classes for reading and writing Les Houches Event Files according to the <A HREF="http://www.thep.lu.se/~torbjorn/lhef/lhafile2.pdf">proposal</A> by Torbj&ouml;rn Sj&ouml;strand discussed at the <A HREF="http://mc4lhc06.web.cern.ch/mc4lhc06/">MC4LHC</A> workshop at CERN 2006. */ #endif /* THEPEG_LHEF_H */
[ "eyvind.niklasson@gmail.com" ]
eyvind.niklasson@gmail.com
9b05178fee035f0e81aa01e830737dec5821dc99
ce9eebc8ee834010dd6860f225b911cb4e586a51
/httpdate.h
a29d17c87ed38b4dbed7b18dd29478f744a6508a
[]
no_license
lazerhawk/cloud-clock
3ce4225ecae230e51a42514e1e94f9dc00bc9cc5
a86e741609394544914b58b8506f8a5dc4fcf31b
refs/heads/master
2020-07-25T07:04:51.193299
2018-07-12T09:33:51
2018-07-12T09:33:51
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,404
h
/* * Copyright (C) 2011 Sebastian Krahmer. * All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * 2. 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. * 3. All advertising materials mentioning features or use of this software * must display the following acknowledgement: * This product includes software developed by Sebastian Krahmer. * 4. The name Sebastian Krahmer may not be used to endorse or promote * products derived from this software without specific prior written * permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``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 AUTHOR 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. */ #ifndef __httpdate_h__ #define __httpdate_h__ #include <map> #include <string> #include <cstring> #include <sstream> #include <vector> #include <sys/types.h> #include <sys/socket.h> #include <netdb.h> #include <time.h> class http_date { std::map<struct addrinfo, std::string> servers; bool no_set_time; std::ostringstream err; public: http_date() : no_set_time(0), err("") {}; virtual ~http_date(); int time_servers(const std::map<std::string, std::string> &); int loop(int); void no_set(bool b) { no_set_time = b; } static time_t average_time(const std::vector<time_t> &); const char *why() { return err.str().c_str(); } }; bool operator<(struct addrinfo, struct addrinfo); #endif
[ "sebastian.krahmer@gmail.com" ]
sebastian.krahmer@gmail.com
8024da57e2120054ebf50780886524e86bb46474
fb8b507984a7b61999a49175b9c82d79ab4d517a
/src/collision/sdf.cpp
b792d3fd0570b4bbb407c42297bc02e66ce6cb8f
[]
no_license
henrypc6/clothSim
1e110508c39a27d84d216bfb97357a33f1db1499
7d2c4f7d5b8ef15f42c088db9da284c78e65f23a
refs/heads/master
2020-03-16T03:10:02.615744
2018-05-09T04:14:06
2018-05-09T04:14:06
132,481,841
0
0
null
null
null
null
UTF-8
C++
false
false
167
cpp
#include "sdf.hpp" double PlaneSDF::signedDistance(Eigen::Vector3d x) { return (x - x0).dot(n); } Eigen::Vector3d PlaneSDF::normal(Eigen::Vector3d x) { return n; }
[ "peng0175@umn.edu" ]
peng0175@umn.edu
5a81cb568320c8f316bccee28b15bae3b8175787
21cab7d193e6d74be36afc052906217443651fac
/Codeforces/A_448.cpp
48a8070872b2db78c4ef2c254d17a73283de9be7
[ "MIT" ]
permissive
ahakouz17/Competitive-Programming-Practice
2d3e7887129298b850e5bfd7341b6cd103eb5766
5f4daaf491ab03bb86387e491ecc5634b7f99433
refs/heads/master
2020-09-28T02:59:36.450414
2020-01-01T11:33:07
2020-01-01T11:33:07
226,672,685
0
0
null
null
null
null
UTF-8
C++
false
false
514
cpp
#include <stdio.h> int main() { int n, sum = 0, temp, shelves = 0; for (int i = 0; i < 3; i++) { scanf("%d", &temp); sum += temp; } shelves += sum / 5; if (sum % 5 != 0) shelves++; sum = 0; for (int i = 0; i < 3; i++) { scanf("%d", &temp); sum += temp; } shelves += sum / 10; if (sum % 10 != 0) shelves++; scanf("%d", &n); if (shelves > n) printf("NO"); else printf("YES"); return 0; }
[ "asma_hakouz@hotmail.com" ]
asma_hakouz@hotmail.com
c0ce843f3e17fb754cb623c758473067c45fba40
39269519ef879716bbd9fef7b44e93b2432b82b6
/src/qt/sendcoinsentry.cpp
cd16218b15a52a79d945c4a49e6d3e8cb4daba58
[ "MIT" ]
permissive
SaltineChips/BNICoin
f5463fb75912ad3b8d9ba11a0b7f8d314b551e56
ca5a0f216fa6c9b6f9f26d319b1eed9533391811
refs/heads/master
2020-06-04T18:16:19.054328
2018-05-26T20:25:40
2018-05-26T20:25:40
null
0
0
null
null
null
null
UTF-8
C++
false
false
4,292
cpp
#include "sendcoinsentry.h" #include "ui_sendcoinsentry.h" #include "guiutil.h" #include "bitcoinunits.h" #include "addressbookpage.h" #include "walletmodel.h" #include "optionsmodel.h" #include "addresstablemodel.h" #include <QApplication> #include <QClipboard> SendCoinsEntry::SendCoinsEntry(QWidget *parent) : QFrame(parent), ui(new Ui::SendCoinsEntry), model(0) { ui->setupUi(this); #ifdef Q_OS_MAC ui->payToLayout->setSpacing(4); #endif #if QT_VERSION >= 0x040700 /* Do not move this to the XML file, Qt before 4.7 will choke on it */ ui->addAsLabel->setPlaceholderText(tr("Enter a label for this address to add it to your address book")); ui->payTo->setPlaceholderText(tr("Enter a BNI address (e.g. B8gZqgY4r2RoEdqYk3QsAqFckyf9pRHN6i)")); #endif setFocusPolicy(Qt::TabFocus); setFocusProxy(ui->payTo); GUIUtil::setupAddressWidget(ui->payTo, this); } SendCoinsEntry::~SendCoinsEntry() { delete ui; } void SendCoinsEntry::on_pasteButton_clicked() { // Paste text from clipboard into recipient field ui->payTo->setText(QApplication::clipboard()->text()); } void SendCoinsEntry::on_addressBookButton_clicked() { if(!model) return; AddressBookPage dlg(AddressBookPage::ForSending, AddressBookPage::SendingTab, this); dlg.setModel(model->getAddressTableModel()); if(dlg.exec()) { ui->payTo->setText(dlg.getReturnValue()); ui->payAmount->setFocus(); } } void SendCoinsEntry::on_payTo_textChanged(const QString &address) { if(!model) return; // Fill in label from address book, if address has an associated label QString associatedLabel = model->getAddressTableModel()->labelForAddress(address); if(!associatedLabel.isEmpty()) ui->addAsLabel->setText(associatedLabel); } void SendCoinsEntry::setModel(WalletModel *model) { this->model = model; if(model && model->getOptionsModel()) connect(model->getOptionsModel(), SIGNAL(displayUnitChanged(int)), this, SLOT(updateDisplayUnit())); connect(ui->payAmount, SIGNAL(textChanged()), this, SIGNAL(payAmountChanged())); clear(); } void SendCoinsEntry::setRemoveEnabled(bool enabled) { ui->deleteButton->setEnabled(enabled); } void SendCoinsEntry::clear() { ui->payTo->clear(); ui->addAsLabel->clear(); ui->payAmount->clear(); ui->payTo->setFocus(); // update the display unit, to not use the default ("BTC") updateDisplayUnit(); } void SendCoinsEntry::on_deleteButton_clicked() { emit removeEntry(this); } bool SendCoinsEntry::validate() { // Check input validity bool retval = true; if(!ui->payAmount->validate()) { retval = false; } else { if(ui->payAmount->value() <= 0) { // Cannot send 0 coins or less ui->payAmount->setValid(false); retval = false; } } if(!ui->payTo->hasAcceptableInput() || (model && !model->validateAddress(ui->payTo->text()))) { ui->payTo->setValid(false); retval = false; } return retval; } SendCoinsRecipient SendCoinsEntry::getValue() { SendCoinsRecipient rv; rv.address = ui->payTo->text(); rv.label = ui->addAsLabel->text(); rv.amount = ui->payAmount->value(); return rv; } QWidget *SendCoinsEntry::setupTabChain(QWidget *prev) { QWidget::setTabOrder(prev, ui->payTo); QWidget::setTabOrder(ui->payTo, ui->addressBookButton); QWidget::setTabOrder(ui->addressBookButton, ui->pasteButton); QWidget::setTabOrder(ui->pasteButton, ui->deleteButton); QWidget::setTabOrder(ui->deleteButton, ui->addAsLabel); return ui->payAmount->setupTabChain(ui->addAsLabel); } void SendCoinsEntry::setValue(const SendCoinsRecipient &value) { ui->payTo->setText(value.address); ui->addAsLabel->setText(value.label); ui->payAmount->setValue(value.amount); } bool SendCoinsEntry::isClear() { return ui->payTo->text().isEmpty(); } void SendCoinsEntry::setFocus() { ui->payTo->setFocus(); } void SendCoinsEntry::updateDisplayUnit() { if(model && model->getOptionsModel()) { // Update payAmount with the current unit ui->payAmount->setDisplayUnit(model->getOptionsModel()->getDisplayUnit()); } }
[ "bnicoin@mail.com" ]
bnicoin@mail.com
2bdeedc2326e828a267528f35bb6aeeca679ec56
bc84c328d1cc2a318160d42ed1faa1961bdf1e87
/Tools/MultiThreading/code2/经典线程同步问题_Event.cpp
7a02d8f6cb3afc3d5b6b1640e521f41daf0a45fa
[ "MIT" ]
permissive
liangjisheng/C-Cpp
25d07580b5dd1ff364087c3cf8e13cebdc9280a5
8b33ba1f43580a7bdded8bb4ce3d92983ccedb81
refs/heads/master
2021-07-10T14:40:20.006051
2019-01-26T09:24:04
2019-01-26T09:24:04
136,299,205
7
2
null
null
null
null
UTF-8
C++
false
false
2,706
cpp
// 用事件Event来尝试解决这个线程同步问题 // HANDLE CreateEvent( // LPSECURITY_ATTRIBUTES lpEventAttributes, // BOOL bManualReset, // BOOL bInitialState, // LPCTSTR lpName); // 第一个参数一般传NULL // 第二个参数确定事件是手动置位还是自动置位,TRUE表示手动置位,FALSE表示自动置位 // 如果为自动置位,对该事件调用WaitForSingleObject()后会自动调用ResetEvent()使事件 // 变为未触发状态 // 第三个参数表示事件的初始化状态,TRUE表示已触发 // 第四个参数表示事件的名称,传入NULL表示匿名事件 // 根据名称获得一个事件句柄 // HANDLE OpenEvent( // DWORD dwDesiredAccess, // 表示访问权限,一般传入EVENT_ALL_ACCESS // BOOL bInheritHandle, // 表示事件句柄继承性,一般传入TRUE // LPCTSTR lpName) // 不同进程中的各线程可以通过名称来确保它们访问同一个事件 // BOOL SetEvent(HANDLE hEvent); 触发事件 // 每次触发后,必有一个或多个处于等待状态下的线程变成可调度状态 // 将事件设为末触发 // BOOL ResetEvent(HANDLE hEvent); // 由于事件是内核对象,因此使用CloseHandle()就可以完成清理与销毁了 // 在经典多线程问题中设置一个事件和一个关键段。用事件处理主线程与子线程的同步, // 用关键段来处理各子线程间的互斥 #include <stdio.h> #include <process.h> #include <windows.h> long g_nNum; unsigned int __stdcall Fun(void *pPM); const int THREAD_NUM = 10; HANDLE g_hThreadEvent; CRITICAL_SECTION g_csThreadCode; int main() { // 创建自动置位,初始无触发的匿名事件 g_hThreadEvent = CreateEvent(NULL, FALSE, FALSE, NULL); InitializeCriticalSection(&g_csThreadCode); HANDLE hThreads[THREAD_NUM]; g_nNum = 0; int i = 0; while(i < THREAD_NUM) { hThreads[i] = (HANDLE)_beginthreadex(NULL, 0, Fun, &i, 0, NULL); // 等待事件被触发,此时主线程并没有被挂起,将会继续往下执行 WaitForSingleObject(g_hThreadEvent, INFINITE); i++; } printf("%d\n", __LINE__); // 等待所有的线程都结束 WaitForMultipleObjects(THREAD_NUM, hThreads, TRUE, INFINITE); printf("%d\n", __LINE__); CloseHandle(g_hThreadEvent); DeleteCriticalSection(&g_csThreadCode); getchar(); return 0; } unsigned int __stdcall Fun(void *pPM) { int nThreadNum = *(int *)pPM; SetEvent(g_hThreadEvent); // 触发事件 Sleep(50); // some work should to do EnterCriticalSection(&g_csThreadCode); g_nNum++; Sleep(0); // some work should to do printf("线程编号为%-4d全局资源值%-4d\n", nThreadNum, g_nNum); LeaveCriticalSection(&g_csThreadCode); return 0; }
[ "1294851990@qq.com" ]
1294851990@qq.com
179df3e92054e7a2cb81057d763102093047f6bd
b7fe6cba0b2a3cec0f1a0d030fced6b3ece93cc7
/src/custom_modules/vasculature.cpp
fc2b2fe89e36d9e54ae6d1b04b29a796365ff24a
[]
no_license
furkankurtoglu/hypoxia19
00152c832f41aeebb5a6184bf96b9d759b890fbb
50378a7caeda821201041be50e65d2ccdebbb615
refs/heads/master
2020-05-17T02:00:47.222870
2019-04-25T17:43:08
2019-04-25T17:43:08
183,442,888
0
0
null
null
null
null
UTF-8
C++
false
false
25,248
cpp
// // vascularization.cpp // // // Created by John Metzcar on 4/10/18. // #include "./vasculature.h" #include "../core/PhysiCell.h" #include "../modules/PhysiCell_standard_modules.h" using namespace BioFVM; using namespace PhysiCell; #ifndef __vasculature_h__ #define __vasculature_h__ namespace PhysiCell{ Vascular_Options default_vascular_options; Coarse_Vasculature coarse_vasculature; Vascular_Options::Vascular_Options() { vascular_mesh_multiplier = 1; //1; base_vascular_extension_rate = 35/60.0; vascular_birth_rate = 1.0/18/60; //9e-4 max_vascular_density = 1.0; vascular_death_rate = 1.0/18/60; // 0 vascular_proliferation_threshold = 0.001; // 1 vascular_proliferation_saturation= 0.5; // 2 vascular_chemotaxis_threshold = 0.001; // 3 vascular_chemotaxis_saturation = 0.5; // 4 effective_vascular_cutoff_threshold = 1.0E-8; // 5 angiogenesis_dt = 60.0; blood_substrate_densities.resize( 1 , 1.0 ); tissue_far_field_substrate_densities.resize( 1 , 1.0 ); blood_oxygen_tension = 38.0; tissue_far_field_oxygen_tension = 38.0; // degradation_rate_per_cell = 1e-6; // 1e-5; // How will we get cells to kill the vasculature? What can we use that is related to the cell presence/behavior and how to we access it? return; } void Vascular_Options::sync_to_BioFVM( void ) { // make sure it has the right number of densities. // set them equal to the boundary conditions for BioFVM blood_substrate_densities = default_microenvironment_options.Dirichlet_condition_vector; tissue_far_field_substrate_densities = default_microenvironment_options.Dirichlet_condition_vector; return; } Vascular_Densities::Vascular_Densities() { functional = 0.5; total = 1.0; secretion_rate = 10.0; // could be too high target_O2 = 38.0; target_ECM = 0; target_VEGF = 0; target_vector = { target_O2,target_ECM,target_VEGF }; vascular_extension_rate = 1000; // vascular_birth_rate = 1.0/18.0; // How can I use the options more? return; } Coarse_Vasculature::Coarse_Vasculature() { mesh.resize(1,1,1) ; vascular_densities.resize(1); blood_substrate_densities = default_vascular_options.blood_substrate_densities; VEGF.resize(1); net_vascular_density_fluxes.resize(1); pMicroenvironment = NULL; return; } void coarse_vasculature_setup( void ) { // sync the options to BioFVM default_vascular_options.sync_to_BioFVM(); // use the custom bulk source/sink functions Microenvironment* pME = get_default_microenvironment(); pME->bulk_supply_rate_function = vascular_supply_function; pME->bulk_supply_target_densities_function = vascular_target_function; pME->bulk_uptake_rate_function = vascular_uptake_function; // USER EDITS TO default_vascular_options GO HERE!!! (Why - becasue it is in the set up!) Duh! default_vascular_options.blood_oxygen_tension = 38; default_vascular_options.tissue_far_field_oxygen_tension = 38.0; // // // END OF USER EDITS TO default_vascular_options // // // sync the environment to BioFVM // coarse_vasculature.sync_to_BioFVM(); // coarse_vasculature.mesh.size(); // // // now, set bulk source and sink functions // std::cout << "need to set up source functions!!!" << std::endl; // for(int i = 0; i<coarse_vasculature.vascular_densities.size();i++) // { // std::cout<<coarse_vasculature.vascular_densities[i].functional<<std::endl; // } // return; } void Coarse_Vasculature::sync_to_BioFVM( void ) { // first, resize the mesh if( pMicroenvironment == NULL ) { pMicroenvironment = get_default_microenvironment(); } int Xnodes = pMicroenvironment->mesh.x_coordinates.size(); int Ynodes = pMicroenvironment->mesh.y_coordinates.size(); int Znodes = pMicroenvironment->mesh.z_coordinates.size(); if( Xnodes > 1 ) { Xnodes /= default_vascular_options.vascular_mesh_multiplier; } if( Ynodes > 1 ) { Ynodes /= default_vascular_options.vascular_mesh_multiplier; } if( Znodes > 1 ) { Znodes /= default_vascular_options.vascular_mesh_multiplier; } // next, make sure the microenvironment has oxygen /* int oxygen_i = pMicroenvironment->find_density_index( "oxygen" ); if( oxygen_i < 0 ) { std::cout << "Adding oxygen to the microenvironment ... " << std::endl; if( default_microenvironment_options.use_oxygen_as_first_field == true ) { pMicroenvironment->set_density( 0 , "oxygen", "mmHg" , 1e5 , 0.1 ); } else { pMicroenvironment->add_density( "oxygen", "mmHg" , 1e5 , 0.1 ); } oxygen_i = pMicroenvironment->find_density_index( "oxygen" ); // default_microenvironment_options.Dirichlet_condition_vector[oxygen_i] = default_vascular_options.tissue_far_field_oxygen_tension; // default_microenvironment_options.Dirichlet_activation_vector[oxygen_i] = true; } */ // next, make sure the microenvironment has VEGF /* int VEGF_i = pMicroenvironment->find_density_index( "VEGF" ); if( VEGF_i < 0 ) { // 5.8 × 10−11 m2 s−1. // https://www.nature.com/articles/nprot.2012.051 // decay 72h half-life : http://walter.deback.net/old/media/KohnLuque_etal_PhysBiol_2013.pdf // ECM binding: 1.5e-3 s-1 ~ 0.09 min-1 std::cout << "Adding VEGF to the microenvironment ... " << std::endl; pMicroenvironment->add_density( "VEGF", "dimensionless" , 3.5e3 , 0.09 ); VEGF_i = pMicroenvironment->find_density_index( "VEGF" ); default_microenvironment_options.Dirichlet_condition_vector[VEGF_i] = 0.0; default_microenvironment_options.Dirichlet_activation_vector[VEGF_i] = false; } */ // next, resize the vascular mesh mesh.resize( default_microenvironment_options.X_range[0] , default_microenvironment_options.X_range[1] , default_microenvironment_options.Y_range[0] , default_microenvironment_options.Y_range[1] , default_microenvironment_options.Z_range[0] , default_microenvironment_options.Z_range[1] , Xnodes, Ynodes, Znodes ); mesh.units = default_microenvironment_options.spatial_units; // set the substrate densities to the correct values blood_substrate_densities = default_vascular_options.blood_substrate_densities; // next, make sure the vascular densities are of the right size vascular_densities.resize( mesh.voxels.size() ); // now, make sure that the angiogenesis helper variables have the right size VEGF.resize( mesh.voxels.size() ); net_vascular_density_fluxes.resize( mesh.voxels.size() ); return; } Vascular_Densities& Coarse_Vasculature::operator()( std::vector<double> position ) { return vascular_densities[ mesh.nearest_voxel_index( position ) ]; } Vascular_Densities& Coarse_Vasculature::operator()( int n ) { return vascular_densities[n]; } Vascular_Densities& Coarse_Vasculature::operator()( int i, int j, int k ) { return vascular_densities[ mesh.voxel_index(i,j,k) ]; } Vascular_Densities& Coarse_Vasculature::operator()( Cell* pCell ) { return this->operator()( pCell->position ); } void Coarse_Vasculature::compute_coarse_VEGF( void ) { // if we're not synced to a microenvironment, then exit out if( pMicroenvironment == NULL ) { return; } return; } void update_coarse_vasculature( double dt ) { // rho_v = .... see the CB code ... // if( pMicroenvironment == NULL ) // { pMicroenvironment = get_default_microenvironment(); } Microenvironment* pMicroenvironment = get_default_microenvironment(); update_vascular_extension_rate ( pMicroenvironment ); update_vascular_population ( pMicroenvironment, dt ); flux_vascular_density ( pMicroenvironment, dt ) ; //when will this get called??? return; } void update_vascular_extension_rate ( Microenvironment* pMicroenvironment ) // Will move to Vasculature class { extern Vascular_Options default_vascular_options; extern Coarse_Vasculature coarse_vasculature; static int VEGF_i = pMicroenvironment->find_density_index( "VEGF" ); for ( int voxel_index = 0; voxel_index < coarse_vasculature.vascular_densities.size(); voxel_index++) { coarse_vasculature.vascular_densities[voxel_index].vascular_extension_rate = default_vascular_options.base_vascular_extension_rate*fmin(1 , fmax( 0, ( pMicroenvironment->density_vector(voxel_index)[VEGF_i]- default_vascular_options.vascular_chemotaxis_threshold)/(default_vascular_options.vascular_chemotaxis_saturation - default_vascular_options.vascular_chemotaxis_threshold))); } return; } void update_vascular_population ( Microenvironment* pMicroenvironment, double dt ) { double b, d; static int VEGF_i = pMicroenvironment->find_density_index( "VEGF" ); extern Vascular_Options default_vascular_options; extern Coarse_Vasculature coarse_vasculature; for(int i = 0; i<coarse_vasculature.vascular_densities.size(); i++) // i ends up being the voxel index { b = default_vascular_options.vascular_birth_rate * fmax(0, ( 1 - coarse_vasculature.vascular_densities[i].functional / default_vascular_options.max_vascular_density )) * fmin(1 , fmax( 0, (pMicroenvironment->density_vector(i)[VEGF_i] - default_vascular_options.vascular_proliferation_threshold)/ (default_vascular_options.vascular_proliferation_saturation - default_vascular_options.vascular_proliferation_threshold))); d = 0; //default_vascular_options.other_properties[0]*(PUT in SOMETHING RELATED TO CELLS HERE)/phenotypes_vector[0].max_cells; coarse_vasculature.vascular_densities[i].functional = coarse_vasculature.vascular_densities[i].functional / (1 - (b-d)*dt); if( coarse_vasculature.vascular_densities[i].functional < default_vascular_options.effective_vascular_cutoff_threshold) { coarse_vasculature.vascular_densities[i].functional = 0; } } return; } void flux_vascular_density ( Microenvironment* pMicroenvironment, double dt ) { // std::vector<double> change_in_live_cell_population; // // change_in_live_cell_population.assign(tissue_mesh.voxel_links.size(), 0.0); // Calculate fluxes - need it to look up, down, left, and right. How do I do that? Does BioFVM now its neighbors? What about just a straight vector instead of an array? How about I make a links vector? // Just use the existing "inks" and calculate the flux into (or out of as the case might be each voxel at once by iterating thorugh conneted voxels list - since the rules require greater a to move, it hsould be one way always.... thie will require new code but shoudl run on older versions of BioFVM. extern Vascular_Options default_vascular_options; extern Coarse_Vasculature coarse_vasculature; int VEGF_i = pMicroenvironment->find_density_index( "VEGF" ); double area = 20 * 20; // Exchange surface area of a 20 by 20 voxel - where is this actually stored???? for( int voxel_index = 0; voxel_index < pMicroenvironment->mesh.connected_voxel_indices.size(); voxel_index++) { double a_i = pMicroenvironment->density_vector(voxel_index)[VEGF_i]; double vascular_density_i = coarse_vasculature.vascular_densities[voxel_index].functional; double vascular_extention_rate_i = coarse_vasculature.vascular_densities[voxel_index].vascular_extension_rate; // std::cout<<coarse_vasculature.net_vascular_density_fluxes.size()<<std::endl; for( int nei_index = 0; nei_index < pMicroenvironment->mesh.connected_voxel_indices[voxel_index].size(); ++nei_index) { // std::cout<<nei_index<<std::endl; double a_j = pMicroenvironment->density_vector(nei_index)[VEGF_i]; coarse_vasculature.net_vascular_density_fluxes[voxel_index] = -fmax(0,(a_j - a_i)) *vascular_extention_rate_i * vascular_density_i + fmax(0,a_i-a_j) *coarse_vasculature.vascular_densities[nei_index].vascular_extension_rate *coarse_vasculature.vascular_densities[nei_index].functional; } } for( int voxel_index = 0; voxel_index < pMicroenvironment->mesh.connected_voxel_indices.size(); voxel_index++) { // Voxel* pV1 = tissue_mesh.voxel_links[k].pVoxel1; // Is there a better way to store/access there rather than just access then twice in a row???? // Voxel* pV2 = tissue_mesh.voxel_links[k].pVoxel2; // int i = pV1->mesh_index; // int j = pV2->mesh_index; coarse_vasculature.vascular_densities[voxel_index].functional = coarse_vasculature.vascular_densities[voxel_index].functional + coarse_vasculature.net_vascular_density_fluxes[voxel_index]*area*dt; } // std::cout<<pMicroenvironment->mesh.moore_connected_voxel_indices.size()<<std::endl; // return; // // for( int k=0; k<tissue_mesh.voxel_links.size(); k++) // { // Voxel* pV1 = tissue_mesh.voxel_links[k].pVoxel1; // Voxel* pV2 = tissue_mesh.voxel_links[k].pVoxel2; // double area = tissue_mesh.voxel_links[k].surface_area; // double dx = tissue_mesh.voxel_links[k].center_to_center_distance; // int i = pV1->mesh_index; // "testing" voxel // int j = pV2->mesh_index; // "Target" voxel // double J_ij; // // // k is the Link index! // // // 02.23.18 eliminating this temporatliy. Vasculature SHOULD already be a denisty // // double density1 = voxel_population_vectors[i].live_cell_counts[1]/voxel_population_vectors[i].phenotypes_vector[1].max_cells; // // double density2 = voxel_population_vectors[j].live_cell_counts[1]/voxel_population_vectors[j].phenotypes_vector[1].max_cells; // // END elimination // // // FROM 11/2 // // // int h_ij = tissue_mesh.heaviside_fn(substrate_vectors[j].substrate_quantity[1] - substrate_vectors[i].substrate_quantity[1]); // // // // int h_ji = tissue_mesh.heaviside_fn(substrate_vectors[i].substrate_quantity[1] - substrate_vectors[j].substrate_quantity[1]); // // Variant 1 - "diffusive rho_v" 11-2-17 // // // J_ij = -fmax(0,(density1 - density2))*voxel_population_vectors[i].update_vascular_creep_rate( substrate_vectors[i].substrate_quantity[1])*h_ij // // + fmax(0,density2-density1)*voxel_population_vectors[j].update_vascular_creep_rate( substrate_vectors[j].substrate_quantity[1])*h_ji; // // // Variant 2 - non-difference rho_v, perhaps more advective 11-29-17 // // // J_ij = -fmax(0,(density1))*voxel_population_vectors[i].update_vascular_creep_rate( substrate_vectors[i].substrate_quantity[1])*h_ij // // + fmax(0,density2)*voxel_population_vectors[j].update_vascular_creep_rate( substrate_vectors[j].substrate_quantity[1])*h_ji; // // // std::cout<<voxel_population_vectors[i].update_vascular_creep_rate( substrate_vectors[i].substrate_quantity[1])<<std::endl; // // END 11/2 // // // FROM 11/7 - Why would this not work on a sphere? - well if the diffusion equations aren't right ... like if you accidently get a reversed gradient ... duh. Fix that first. // // // Updated to include correct density calculation 1/6/18 // // // // 02.23.18 eliminating this temporatliy. Vasculature SHOULD already be a denisty AND AF should also arelady be a density // // J_ij = -fmax(0,(substrate_vectors[j].substrate_quantity[1]/tissue_mesh.voxels[j].volume - substrate_vectors[i].substrate_quantity[1]/tissue_mesh.voxels[i].volume))*voxel_population_vectors[i].update_vascular_creep_rate( substrate_vectors[i].substrate_quantity[1]) // // *density1 + fmax(0,substrate_vectors[i].substrate_quantity[1]/tissue_mesh.voxels[i].volume-substrate_vectors[j].substrate_quantity[1]/tissue_mesh.voxels[j].volume) // // *voxel_population_vectors[j].update_vascular_creep_rate( substrate_vectors[j].substrate_quantity[1])*density2; // // 02.23.18 END old old // // // // 02.23.18 updated flux code - reflecting the TRUTH that AF and vasculature are densities // // J_ij = -fmax(0,(substrate_vectors[j].substrate_quantity[1] - substrate_vectors[i].substrate_quantity[1])) // *voxel_population_vectors[i].update_vascular_creep_rate( substrate_vectors[i].substrate_quantity[1]) // *voxel_population_vectors[i].live_cell_counts[1] + fmax(0,substrate_vectors[i].substrate_quantity[1]-substrate_vectors[j].substrate_quantity[1]) // *voxel_population_vectors[j].update_vascular_creep_rate( substrate_vectors[j].substrate_quantity[1]) *voxel_population_vectors[j].live_cell_counts[1]; // // // // END update // // // END 11/7 // // // From 11/30/17 - will test later // // // Variant 1 - "diffusive rho_v" (like from 11/7) but with angioF scaled by the value in the voxel versus the range of the substart AND taking a density difference instead of being just the denisty // // // Varient 2 - "advective rho_v" like 11/7 but with angioF scaled by the value in the voxel versus the range of the substart // // // J_apoptotic_cells[i] = (density2 - density1)/dx; // // J_necrotic_cells[i] = (density2 - density1)/dx; // // change_in_live_cell_population[k] = -dt*J_ij*area; // // } // // for( int k=0; k<tissue_mesh.voxel_links.size(); k++) // { // Voxel* pV1 = tissue_mesh.voxel_links[k].pVoxel1; // Is there a better way to store/access there rather than just access then twice in a row???? // Voxel* pV2 = tissue_mesh.voxel_links[k].pVoxel2; // int i = pV1->mesh_index; // int j = pV2->mesh_index; // // voxel_population_vectors[i].live_cell_counts[1] = voxel_population_vectors[i].live_cell_counts[1] - change_in_live_cell_population[k]; // voxel_population_vectors[j].live_cell_counts[1] = voxel_population_vectors[j].live_cell_counts[1] + change_in_live_cell_population[k]; // } // return; } void vascular_supply_function( Microenvironment* microenvironment, int voxel_index, std::vector<double>* write_here ) { // use this syntax to access the jth substrate write_here // (*write_here)[j] // use this syntax to access the jth substrate in voxel voxel_index of microenvironment: // microenvironment->density_vector(voxel_index)[j] extern Vascular_Options default_vascular_options; extern Coarse_Vasculature coarse_vasculature; // static std::vector<double> delivery_rate_vector( microenvironment->number_of_densities() , 1000.0 ); // static bool setup_done = false; // if( setup_done == false ) // { // for( int i=0; i < microenvironment->number_of_densities() ; i++ ) // { // if( default_microenvironment_options.Dirichlet_activation_vector[i] == false ) // { delivery_rate_vector[i] = 0.0; } // } // setup_done = true; // } // // functional_vascular_density * source_rates * on_off for( int i=0 ; i < 1; i++ ) { (*write_here)[i] = coarse_vasculature( microenvironment->mesh.voxels[voxel_index].center ).functional; // what is it doing? (*write_here)[i] *= coarse_vasculature( microenvironment->mesh.voxels[voxel_index].center ).secretion_rate ; // std::cout<<i<<std::endl; } return; return; } //void vascular_supply_function( Microenvironment* microenvironment, int voxel_index, std::vector<double>* write_here ) //{ // // use this syntax to access the jth substrate write_here // // (*write_here)[j] // // use this syntax to access the jth substrate in voxel voxel_index of microenvironment: // // microenvironment->density_vector(voxel_index)[j] // // extern Vascular_Options default_vascular_options; // extern Coarse_Vasculature coarse_vasculature; // // /* // // DEBUG // for( int i=0 ; i < write_here->size() ; i++ ) // { (*write_here)[i] = 0.0; } // return; // */ // // // figure out which substrate get delivered to/from the vasculature // static std::vector<double> delivery_rate_vector( microenvironment->number_of_densities() , 1000.0 ); // static bool setup_done = false; // if( setup_done == false ) // { // for( int i=0; i < microenvironment->number_of_densities() ; i++ ) // { // if( default_microenvironment_options.Dirichlet_activation_vector[i] == false ) // { delivery_rate_vector[i] = 0.0; } // } // setup_done = true; // } // // // functional_vascular_density * source_rates * on_off // // // // for( int i=0 ; i < write_here->size() ; i++ ) // { // (*write_here)[i] = coarse_vasculature( microenvironment->mesh.voxels[voxel_index].center ).functional; // (*write_here)[i] *= delivery_rate_vector[i]; // } // return; // // // // *(write_here) = delivery_rate_vector; // S_i = delivery_rate // // *(write_here) *= coarse_vasculature( microenvironment->mesh.voxels[voxel_index].center ).functional; // S_i = functional(i)*delivery_rate; // // return; //} void vascular_target_function( Microenvironment* microenvironment, int voxel_index, std::vector<double>* write_here ) { // // use this syntax to access the jth substrate write_here // // (*write_here)[j] // // use this syntax to access the jth substrate in voxel voxel_index of microenvironment: // // microenvironment->density_vector(voxel_index)[j] // extern Coarse_Vasculature coarse_vasculature; extern Vascular_Options default_vascular_options; /* double target_O2 = 38.0; double target_ECM = 0; double target_VEGF = 0; std::vector<double> target_vector = { target_O2,target_ECM,target_VEGF }; */ for( int i=0 ; i < write_here->size() ; i++ ) { (*write_here)[i] = coarse_vasculature( microenvironment->mesh.voxels[voxel_index].center ).target_vector[i] ; } return; } //void vascular_target_function( Microenvironment* microenvironment, int voxel_index, std::vector<double>* write_here ) //{ // // use this syntax to access the jth substrate write_here // // (*write_here)[j] // // use this syntax to access the jth substrate in voxel voxel_index of microenvironment: // // microenvironment->density_vector(voxel_index)[j] // // extern Coarse_Vasculature coarse_vasculature; // extern Vascular_Options default_vascular_options; // // for( int i=0 ; i < write_here->size() ; i++ ) // { (*write_here)[i] = coarse_vasculature.blood_substrate_densities[i]; } // return; // /* // for( int i=0 ; i < write_here->size() ; i++ ) // { (*write_here)[i] = coarse_vasculature.blood_substrate_densities[i]; } // return; // */ // // // (*write_here) = default_microenvironment_options.Dirichlet_condition_vector; // // return; //} void vascular_uptake_function( Microenvironment* microenvironment, int voxel_index, std::vector<double>* write_here ) { // static std::vector<double> uptake_rate_vector( 1.0 , microenvironment->number_of_densities() ); // DEBUG // for( int i=0 ; i < write_here->size() ; i++ ) // { (*write_here)[i] = 0.0; } // return; // // // for( int i=0 ; i < write_here->size() ; i++ ) // { (*write_here)[i] = 0.0; } // // // (*write_here) = uptake_rate_vector; return; } void write_vasculature_data_matlab( std::string filename ) { int number_of_data_entries = microenvironment.number_of_voxels(); int size_of_each_datum = 6; FILE* fp = write_matlab_header( size_of_each_datum, number_of_data_entries, filename, "Vascular_Data" ); // Note - the size of datum needs to correspond exaectly to the lines of output or there is an error upon importing. for( int i=0; i < number_of_data_entries ; i++ ) { // double temp1 = microenvironment.mesh.voxels[i].center[0]; fwrite( (char*) &( coarse_vasculature.mesh.voxels[i].center[0] ) , sizeof(double) , 1 , fp ); fwrite( (char*) &( coarse_vasculature.mesh.voxels[i].center[1] ) , sizeof(double) , 1 , fp ); fwrite( (char*) &( coarse_vasculature.mesh.voxels[i].center[2] ) , sizeof(double) , 1 , fp ); fwrite( (char*) &( coarse_vasculature.mesh.voxels[i].volume ) , sizeof(double) , 1 , fp ); fwrite( (char*) &( coarse_vasculature.vascular_densities[i].functional), sizeof(double) , 1 , fp ); fwrite( (char*) &( coarse_vasculature.vascular_densities[i].total), sizeof(double) , 1 , fp ); // current voxel index of cell } fclose( fp ); return; } } #endif
[ "fkurtog@iu.edu" ]
fkurtog@iu.edu
7d9829fdf23d1b1833706be3d53916465b5b996c
187ce9d4df99208c3db0e44f3db6a3df4ce34717
/C++/231.power-of-two.cpp
e634c9b1569a39a1f8b9c38b30fbb1f48192b31b
[]
no_license
zhoujf620/LeetCode-Practice
5098359fbebe07ffa0d13fe40236cecf80c12507
8babc83cefc6722b9845f61ef5d15edc99648cb6
refs/heads/master
2022-09-26T21:49:59.248276
2022-09-21T14:33:03
2022-09-21T14:33:03
222,195,315
0
0
null
null
null
null
UTF-8
C++
false
false
726
cpp
/* * @lc app=leetcode id=231 lang=cpp * * [231] Power of Two * * https://leetcode.com/problems/power-of-two/description/ * * algorithms * Easy (42.76%) * Likes: 602 * Dislikes: 156 * Total Accepted: 270.3K * Total Submissions: 631.9K * Testcase Example: '1' * * Given an integer, write a function to determine if it is a power of two. * * Example 1: * * * Input: 1 * Output: true * Explanation: 2^0 = 1 * * * Example 2: * * * Input: 16 * Output: true * Explanation: 2^4 = 16 * * Example 3: * * * Input: 218 * Output: false * */ // @lc code=start class Solution { public: bool isPowerOfTwo(int n) { return n>0 && (n&(n-1)) == 0; } }; // @lc code=end
[ "zhoujf620@zju.edu.cn" ]
zhoujf620@zju.edu.cn
a7b394b9ae4ee147994589a4723be51c71dfee78
182d53d35ac39c3e971e1415f401d5c5fd5a8b4d
/source/linux/prime.hxx
ac672ec58c80518dceaa33f37dd55c98d0cd259b
[]
no_license
el-oscuro/psde
6b901c0dec74a5ffd8df76b5a1ab5ba448cd7fd8
00e3b569682f86d3bb6a19ebf2b98839011d056f
refs/heads/master
2022-12-01T06:15:38.010013
2022-11-30T01:08:47
2022-11-30T01:08:47
158,996,541
0
0
null
null
null
null
UTF-8
C++
false
false
4,536
hxx
//***************************************************************************** //13-06-15|0x001b //***************************************************************************** //13-06-15|0x001b // //13-06-15|0x001b // PRECEDENCE ANALYSIS PRIME NUMBER RESOURCE //13-06-15|0x001b // //13-06-15|0x001b //***************************************************************************** //13-06-15|0x001b //***************************************************************************** //13-06-15|0x001b // Copyright: 2006 Robert H. Adams //13-06-15|0x001b //***************************************************************************** //13-06-15|0x001b // The purpose of this program as well as instructions regarding its use is //13-06-15|0x001b // defined in the associated manual. //13-06-15|0x001b //***************************************************************************** //13-06-15|0x001b // This program is free software; you can redistribute it and/or modify //13-06-15|0x001b // it under the terms of the GNU General Public License as published by //13-06-15|0x001b // the Free Software Foundation; either version 2 of the License, or //13-06-15|0x001b // (at your option) any later version. //13-06-15|0x001b // //13-06-15|0x001b // This program is distributed in the hope that it will be useful, //13-06-15|0x001b // but WITHOUT ANY WARRANTY; without even the implied warranty of //13-06-15|0x001b // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the //13-06-15|0x001b // GNU General Public License for more details. //13-06-15|0x001b // //13-06-15|0x001b // You should have received a copy of the GNU General Public License //13-06-15|0x001b // along with this program; if not, write to the Free Software //13-06-15|0x001b // Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA., 02110-1301 //13-06-15|0x001b // USA //13-06-15|0x001b //***************************************************************************** //13-06-15|0x001b // For further information, please contact Robert Adams: //13-06-15|0x001b // EMail: robert.adams@whatifwe.com //13-06-15|0x001b // Mail: PO Box 156, Sun Valley, Ca. 91353-0155, USA //13-06-15|0x001b // Or visit the website, "www.whatifwe.com". //13-06-15|0x001b //***************************************************************************** //13-06-15|0x001b //***************************************************************************** //13-06-15|0x001b #ifndef prime_hxx //13-06-15|0x001e #define prime_hxx //13-06-15|0x001e #define SystemMainExit { SystemMsg; PcgStop(); return(3); } //13-06-15|0x002c //******************************************************************************* //05-24-97|0x00ac //******************************************************************************* //05-24-97|0x00ac //**** END OF FILE **** //05-24-97|0x00ac //******************************************************************************* //05-24-97|0x00ac //******************************************************************************* //05-24-97|0x00ac #endif //05-24-97|0x00ac
[ "mjwadams@gmail.com" ]
mjwadams@gmail.com
1907672d424a68e2d55f3e6a721c37107962ad13
42528682bf4727cb4e7380cfad40b0fe09033220
/system/dev/usb/usb-peripheral/usb-peripheral.h
fca5e5043ee2883a54c3722111cdc3bfa08cbb2a
[ "BSD-3-Clause", "MIT" ]
permissive
vsrinivas/zircon
ab791322f7139fd7a2b0e89352f39b39ad97e49c
f7ea3ac681cf719bd79dfd8344a33e1128a11f5b
refs/heads/master
2023-08-16T21:22:51.103045
2023-08-09T01:23:39
2023-08-09T01:23:39
167,029,710
3
3
null
null
null
null
UTF-8
C++
false
false
9,778
h
// Copyright 2019 The Fuchsia Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #pragma once #include <ddktl/device.h> #include <ddktl/protocol/empty-protocol.h> #include <ddktl/protocol/usb/dci.h> #include <ddktl/protocol/usb/function.h> #include <ddktl/protocol/usb/modeswitch.h> #include <fbl/array.h> #include <fbl/mutex.h> #include <fbl/ref_ptr.h> #include <fbl/string.h> #include <fbl/vector.h> #include <fuchsia/hardware/usb/peripheral/c/fidl.h> /* THEORY OF OPERATION This driver is responsible for USB in the peripheral role, that is, acting as a USB device to a USB host. It serves as the central point of coordination for the peripheral role. It is configured via ioctls in the fuchsia.hardware.usb.peripheral FIDL interface (which is used by the usbctl command line program). Based on this configuration, it creates one or more devmgr devices with protocol ZX_PROTOCOL_USB_FUNCTION. These devices are bind points for USB function drivers, which implement USB interfaces for particular functions (like USB ethernet or mass storage). This driver also binds to a device with protocol ZX_PROTOCOL_USB_DCI (Device Controller Interface) which is implemented by a driver for the actual USB controller hardware for the peripheral role. There are several steps needed to initialize and start USB in the peripheral role. The first step is setting up the USB configuration via the FIDL interface. SetDeviceDescriptor() sets the USB device descriptor to be presented to the host during enumeration. Next, AddFunction() can be called one or more times to add descriptors for the USB functions to be included in the USB configuration. Finally after all the functions have been added, BindFunctions() tells this driver that configuration is complete and it is now possible to build the configuration descriptor. Once we get to this point, UsbPeripheral.functions_bound_ is set to true. Independent of this configuration process, the FIDL SetMode() message can be used to configure the role of the USB controller. If the role is set to USB_MODE_PERIPHERAL and functions_bound_ is true, then we are ready to start USB in peripheral role. At this point, we create DDK devices for our list of functions. When the function drivers bind to these functions, they register an interface of type usb_function_interface_t with this driver via the usb_function_register() API. Once all of the function drivers have registered themselves this way, UsbPeripheral.functions_registered_ is set to true. if the usb mode is set to USB_MODE_PERIPHERAL and functions_registered_ is true, we are now finally ready to operate in the peripheral role. At this point we can inform the DCI driver to start running in peripheral role by calling usb_mode_switch_set_mode(USB_MODE_PERIPHERAL) on its ZX_PROTOCOL_USB_MODE_SWITCH interface. Now the USB controller hardware is up and running as a USB peripheral. Teardown of the peripheral role one of two ways: First, the FIDL ClearFunctions() message will reset this device's list of USB functions. Second, the USB mode can be set to something other than USB_MODE_PERIPHERAL. In this second case, we will remove the DDK devices for the USB functions so the function drivers will unbind, but the USB configuration remains ready to go for when the USB mode is switched back to USB_MODE_PERIPHERAL. */ namespace usb_peripheral { class UsbFunction; using DeviceDescriptor = fuchsia_hardware_usb_peripheral_DeviceDescriptor; using FunctionDescriptor = fuchsia_hardware_usb_peripheral_FunctionDescriptor; class UsbPeripheral; using UsbPeripheralType = ddk::Device<UsbPeripheral, ddk::Unbindable, ddk::Messageable>; // This is the main class for the USB peripheral role driver. // It binds against the USB DCI driver device and manages a list of UsbFunction devices, // one for each USB function in the peripheral role configuration. class UsbPeripheral : public UsbPeripheralType, public ddk::EmptyProtocol<ZX_PROTOCOL_USB_PERIPHERAL>, public ddk::UsbDciInterface<UsbPeripheral> { public: UsbPeripheral(zx_device_t* parent) : UsbPeripheralType(parent), dci_(parent), ums_(parent) {} static zx_status_t Create(void* ctx, zx_device_t* parent); // Device protocol implementation. zx_status_t DdkMessage(fidl_msg_t* msg, fidl_txn_t* txn); void DdkUnbind(); void DdkRelease(); // UsbDciInterface implementation. zx_status_t UsbDciInterfaceControl(const usb_setup_t* setup, const void* write_buffer, size_t write_size, void* out_read_buffer, size_t read_size, size_t* out_read_actual); void UsbDciInterfaceSetConnected(bool connected); void UsbDciInterfaceSetSpeed(usb_speed_t speed); // FIDL messages zx_status_t MsgSetDeviceDescriptor(const DeviceDescriptor* desc, fidl_txn_t* txn); zx_status_t MsgAllocStringDesc(const char* name_data, size_t name_size, fidl_txn_t* txn); zx_status_t MsgAddFunction(const FunctionDescriptor* desc, fidl_txn_t* txn); zx_status_t MsgBindFunctions(fidl_txn_t* txn); zx_status_t MsgClearFunctions(fidl_txn_t* txn); zx_status_t MsgGetMode(fidl_txn_t* txn); zx_status_t MsgSetMode(uint32_t mode, fidl_txn_t* txn); zx_status_t SetFunctionInterface(fbl::RefPtr<UsbFunction> function, const usb_function_interface_t* interface); zx_status_t AllocInterface(fbl::RefPtr<UsbFunction> function, uint8_t* out_intf_num); zx_status_t AllocEndpoint(fbl::RefPtr<UsbFunction> function, uint8_t direction, uint8_t* out_address); zx_status_t AllocStringDesc(const char* string, uint8_t* out_index); zx_status_t ValidateFunction(fbl::RefPtr<UsbFunction> function, void* descriptors, size_t length, uint8_t* out_num_interfaces); zx_status_t FunctionRegistered(); inline const ddk::UsbDciProtocolClient& dci() const { return dci_; } inline size_t ParentRequestSize() const { return parent_request_size_; } private: DISALLOW_COPY_ASSIGN_AND_MOVE(UsbPeripheral); static constexpr uint8_t MAX_INTERFACES = 32; static constexpr uint8_t MAX_STRINGS = 255; // OUT endpoints are in range 1 - 15, IN endpoints are in range 17 - 31. static constexpr uint8_t OUT_EP_START = 1; static constexpr uint8_t OUT_EP_END = 15; static constexpr uint8_t IN_EP_START = 17; static constexpr uint8_t IN_EP_END = 31; // For mapping bEndpointAddress value to/from index in range 0 - 31. static inline uint8_t EpAddressToIndex(uint8_t addr) { return static_cast<uint8_t>(((addr) & 0xF) | (((addr) & 0x80) >> 3)); } static inline uint8_t EpIndexToAddress(uint8_t index) { return static_cast<uint8_t>(((index) & 0xF) | (((index) & 0x10) << 3)); } zx_status_t Init(); zx_status_t AddFunction(const FunctionDescriptor* desc); zx_status_t BindFunctions(); zx_status_t ClearFunctions(); zx_status_t DeviceStateChanged() __TA_REQUIRES(lock_); zx_status_t AddFunctionDevices() __TA_REQUIRES(lock_); void RemoveFunctionDevices() __TA_REQUIRES(lock_); zx_status_t GetDescriptor(uint8_t request_type, uint16_t value, uint16_t index, void* buffer, size_t length, size_t* out_actual); zx_status_t SetConfiguration(uint8_t configuration); zx_status_t SetInterface(uint8_t interface, uint8_t alt_setting); zx_status_t SetDefaultConfig(FunctionDescriptor* descriptors, size_t length); // Our parent's DCI protocol. const ddk::UsbDciProtocolClient dci_; // Our parent's optional USB switch protocol. const ddk::UsbModeSwitchProtocolClient ums_; // USB device descriptor set via ioctl_usb_peripheral_set_device_desc() usb_device_descriptor_t device_desc_ = {}; // USB configuration descriptor, synthesized from our functions' descriptors. fbl::Array<uint8_t> config_desc_; // Map from interface number to function. fbl::RefPtr<UsbFunction> interface_map_[MAX_INTERFACES]; // Map from endpoint index to function. fbl::RefPtr<UsbFunction> endpoint_map_[USB_MAX_EPS]; // Strings for USB string descriptors. fbl::Vector<fbl::String> strings_ __TA_GUARDED(lock_); // List of usb_function_t. fbl::Vector<fbl::RefPtr<UsbFunction>> functions_; // mutex for protecting our state fbl::Mutex lock_; // Current USB mode set via ioctl_usb_peripheral_set_mode() usb_mode_t usb_mode_ __TA_GUARDED(lock_) = USB_MODE_NONE; // Our parent's USB mode. usb_mode_t dci_usb_mode_ __TA_GUARDED(lock_) = USB_MODE_NONE; // Set if ioctl_usb_peripheral_bind_functions() has been called // and we have a complete list of our function. bool functions_bound_ __TA_GUARDED(lock_) = false; // True if all our functions have registered their usb_function_interface_t. bool functions_registered_ __TA_GUARDED(lock_) = false; // True if we have added child devices for our functions. bool function_devs_added_ __TA_GUARDED(lock_) = false; // True if we are connected to a host, bool connected_ __TA_GUARDED(lock_) = false; // Current configuration number selected via USB_REQ_SET_CONFIGURATION // (will be 0 or 1 since we currently do not support multiple configurations). uint8_t configuration_; // USB connection speed. usb_speed_t speed_; // Size of our parent's usb_request_t. size_t parent_request_size_; }; } // namespace usb_peripheral
[ "commit-bot@chromium.org" ]
commit-bot@chromium.org
304db0d325c5ac3bb04bb8c3bec95bfa347ac1b6
9cae31dc717c6067ae3bb5b9dec410e0dcf6fb4d
/winrt/lib/effects/generated/ShadowEffect.cpp
d47f16b37398e4f198ebae592b05f1873125054b
[ "Apache-2.0" ]
permissive
jakislin/Win2D
fc15770f00a0ff4a76531e119258649182c6b7ca
bb219cda968a878f468db499942e1f3e5d5c1622
refs/heads/master
2021-01-18T11:07:42.143293
2015-03-16T14:43:43
2015-03-16T19:11:54
null
0
0
null
null
null
null
UTF-8
C++
false
false
1,819
cpp
// Copyright (c) Microsoft Corporation. All rights reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); you may // not use these files except in compliance with the License. You may obtain // a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, WITHOUT // WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the // License for the specific language governing permissions and limitations // under the License. // This file was automatically generated. Please do not edit it manually. #include "pch.h" #include "ShadowEffect.h" namespace ABI { namespace Microsoft { namespace Graphics { namespace Canvas { namespace Effects { ShadowEffect::ShadowEffect() : CanvasEffect(CLSID_D2D1Shadow, 3, 1, true) { // Set default values SetProperty<float>(D2D1_SHADOW_PROP_BLUR_STANDARD_DEVIATION, 3.0f); SetProperty<float[4]>(D2D1_SHADOW_PROP_COLOR, Color{ 255, 0, 0, 0 }); SetProperty<uint32_t>(D2D1_SHADOW_PROP_OPTIMIZATION, D2D1_SHADOW_OPTIMIZATION_BALANCED); } IMPLEMENT_EFFECT_PROPERTY_WITH_VALIDATION(ShadowEffect, BlurAmount, float, float, D2D1_SHADOW_PROP_BLUR_STANDARD_DEVIATION, (value >= 0.0f) && (value <= 250.0f)) IMPLEMENT_EFFECT_PROPERTY(ShadowEffect, ShadowColor, float[4], Color, D2D1_SHADOW_PROP_COLOR) IMPLEMENT_EFFECT_PROPERTY(ShadowEffect, Optimization, uint32_t, EffectOptimization, D2D1_SHADOW_PROP_OPTIMIZATION) IMPLEMENT_EFFECT_INPUT_PROPERTY(ShadowEffect, Source, 0) ActivatableClass(ShadowEffect); }}}}}
[ "shawnhar@microsoft.com" ]
shawnhar@microsoft.com
07578f3a7fcfb1792ba8855076a5a3d2c07941e5
71e54596ab7082778da7223b5af4f52ff8a6e064
/GameLib/Fleet.h
1f9ccce8a3aaf2397cd249c7e9ad96538fb61870
[]
no_license
efarriol/Practica-03
a8434b432bebb805a16e3ac4e7efa8dfb4e3bb44
6d32d37b449c816b8bd467adf7d8371c35424867
refs/heads/master
2021-01-22T04:22:49.087721
2017-05-28T19:50:03
2017-05-28T19:50:03
92,455,028
0
0
null
null
null
null
UTF-8
C++
false
false
726
h
#pragma once #include <Windows.h> #include <SFML\Graphics.hpp> #include <SFML\Network.hpp> #include "Ship.h" #include "Grid.h" #include <iostream> #define MAX_SHIPS 5 class Fleet { private: Grid &grid; std::vector<Ship> ships; int shipCount = 0; int shipType = 2; //shipType = 2 represents the big boat (ShipType enum), it's the first to be placed bool canBePlaced, canBeRotated, isInsideGrid; sf::Texture shipTexture; public: Fleet(Faction _fleetFaction, std::string texturePath, Grid &_grid); ~Fleet(); void PlaceFleet(sf::RenderWindow &window, sf::Event &evento, sf::Mouse &mouseEvent, bool &isPlaced); void Render(sf::RenderWindow &window); void ChangeFaction(Faction faction); Ship& GetShip(int id); };
[ "eloi.farcris@gmail.com" ]
eloi.farcris@gmail.com
e3e81087626b97bf7e47dbd761ba9d7f3460c856
b22588340d7925b614a735bbbde1b351ad657ffc
/athena/LArCalorimeter/LArG4/LArG4H8SD/src/H8CalibrationDefaultCalculator.cc
7662c8a25d4007c52287bc4a93a3d1e98ec76a2e
[]
no_license
rushioda/PIXELVALID_athena
90befe12042c1249cbb3655dde1428bb9b9a42ce
22df23187ef85e9c3120122c8375ea0e7d8ea440
refs/heads/master
2020-12-14T22:01:15.365949
2020-01-19T03:59:35
2020-01-19T03:59:35
234,836,993
1
0
null
null
null
null
UTF-8
C++
false
false
10,316
cc
/* Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration */ // H8CalibrationDefaultCalculator // prepared 22 s ep 2004 by G.Unal // The calibration studies rely on every volume in the simulation // being made into a sensitive detector. There is a practical // problem: What if we're still in the middle of developing code, and // not every volume has been made sensitive yet? What if we've // overlooked a volume? Or (the most common case), what if we have an // energy deposit in a volume that is not being directly calibrated? // This class provides a "default behavior" for all energy deposits // that are not made in a volume that's been made sensitive for // calibration studies. // This class calculates the values needed for calibration hits in the // simulation. #undef DEBUG_HITS //#define DEBUG_HITS #undef DEBUG_VOLUMES #include "H8CalibrationDefaultCalculator.h" #include "LArG4Code/LArG4Identifier.h" #include "G4ThreeVector.hh" #include "G4Step.hh" #include "G4StepPoint.hh" #include "G4LogicalVolume.hh" #include "G4TouchableHistory.hh" #include "globals.hh" #include <cmath> #include <string> #include <climits> #include <algorithm> #include <set> H8CalibrationDefaultCalculator::H8CalibrationDefaultCalculator(const std::string& name, ISvcLocator *pSvcLocator) : LArCalibCalculatorSvcImp(name, pSvcLocator) // , m_geometry("LArBarrelGeometry", name) { } // StatusCode H8CalibrationDefaultCalculator::initialize() // { // // to check identifiers // m_geometry = LArG4::Barrel::Geometry::GetInstance(); // return StatusCode::SUCCESS; // } H8CalibrationDefaultCalculator::~H8CalibrationDefaultCalculator() { } G4bool H8CalibrationDefaultCalculator::Process( const G4Step* a_step, LArG4Identifier & identifier, std::vector<G4double> & energies, const LArG4::eCalculatorProcessing a_process ) const { // Use the calculators to determine the energies and the // identifier associated with this G4Step. Note that the // default is to process both the energy and the ID. energies.clear(); if ( a_process == LArG4::kEnergyAndID || a_process == LArG4::kOnlyEnergy ) { m_energyCalculator.Energies( a_step, energies ); } else for (unsigned int i=0; i != 4; i++) energies.push_back( 0. ); identifier.clear(); G4String volName = ""; if ( a_process == LArG4::kEnergyAndID || a_process == LArG4::kOnlyID ) { G4StepPoint* pre_step_point = a_step->GetPreStepPoint(); G4VPhysicalVolume* vol = pre_step_point->GetPhysicalVolume(); volName = vol->GetName(); G4int detector = 10; // calorimeter "dead" materials // Initialize identifier variables with (invalid) default // values (INT_MIN is defined in <climits>). G4int subdet = 4; // LAr //GU 26-Sep-05, type=3 does not work with offline calodm identifier // G4int type = 3; // test beam specific G4int type = 1; G4int sampling = INT_MIN; G4int region = 0; G4int etaBin = 0; G4int phiBin = 0; G4double x_table=5733.*CLHEP::mm; //FIXME G4ThreeVector startPoint = pre_step_point->GetPosition(); // directly in world volume, use x position to decide before/after calorimeters if (volName=="CTB::CTB") { if (startPoint.x() < x_table) sampling=0; else { //GU 26-Sep-05, to work for leakage after the calorimeter sampling=3; subdet=5; } // find detector envelop in which we are } else { const G4NavigationHistory* g4navigation = pre_step_point->GetTouchable()->GetHistory(); G4int ndep = g4navigation->GetDepth(); for (G4int ii=0;ii<=ndep;ii++) { G4VPhysicalVolume* v1 = g4navigation->GetVolume(ii); G4String vName = v1->GetName(); //GU 10dec04 change in envelopes for tracker in ctb setup : IDET=mother envelope if ( vName=="IDET::IDET") { sampling=0; break; } if ( vName=="CALO::CALO") { // compute local radius in CALO::CALO frame (<=> atlas frame for calorimeter) const G4AffineTransform transformation = g4navigation->GetTransform(ii); G4ThreeVector startPointinLocal = transformation.TransformPoint(startPoint); double rloc = sqrt(startPointinLocal.x()*startPointinLocal.x() + startPointinLocal.y()*startPointinLocal.y()); double etaloc = fabs(startPointinLocal.pseudoRapidity()); double philoc = startPointinLocal.phi()+M_PI/16.; if (philoc<0. ) { philoc+= 2.*M_PI; } //static double rend_lar = 1960.; const static double rbeg_lar = 1500.; const static double rend_tile = 3835.; const static double rps= 0.5*(1410.+1447.); if (rloc<rbeg_lar) { sampling=1; if (rloc<rps) region=2; else region=3; } else if (rloc<rend_tile) { sampling=2; region=0; } else { subdet=5; sampling=3; region=0; } if (sampling==2 && etaloc>1.0) { region=2; etaBin = (int) ((etaloc-1.0)/0.1); if (etaBin>4) etaBin=4; } else { etaBin = (int) (etaloc/0.1); if (sampling==2 && etaBin>10) etaBin=10; if (sampling==1 && etaBin>14) etaBin=14; if (sampling==3 && etaBin>16) etaBin=16; } phiBin = (int) (philoc*32./M_PI); if (phiBin>63) phiBin=63; break; } if ( vName=="MUON::MUON") { subdet=5; sampling=3; break; } } } if (sampling==INT_MIN) { //G0 10 dec04 to recover anciliary detectors G4ThreeVector startPoint = pre_step_point->GetPosition(); if (startPoint.x() < x_table) sampling=0; else { sampling=3; subdet=5; } } #ifdef DEBUG_HITS double rr=sqrt(startPoint.y()*startPoint.y()+startPoint.z()*startPoint.z()); double rloc=0.; const G4NavigationHistory* g4navigation = pre_step_point->GetTouchable()->GetHistory(); G4int ndep = g4navigation->GetDepth(); for (G4int ii=0;ii<=ndep;ii++) { G4VPhysicalVolume* v1 = g4navigation->GetVolume(ii); G4String vName = v1->GetName(); if ( vName=="CALO::CALO") { // compute local radius in CALO::CALO frame (<=> atlas frame for calorimeter) const G4AffineTransform transformation = g4navigation->GetTransform(ii); G4ThreeVector startPointinLocal = transformation.TransformPoint(startPoint); rloc = sqrt(startPointinLocal.x()*startPointinLocal.x() + startPointinLocal.y()*startPointinLocal.y()); break; } } if (subdet==4 && type==1 && sampling==0) std::cout << "H8HitPos D4T1S0 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==4 && type==1 && sampling==1 && region==0) std::cout << "H8HitPos D4T1S1R0 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==4 && type==1 && sampling==1 && region==1) std::cout << "H8HitPos D4T1S1R1 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==4 && type==1 && sampling==1 && region==2) std::cout << "H8HitPos D4T1S1R2 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==4 && type==1 && sampling==1 && region==3) std::cout << "H8HitPos D4T1S1R3 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==4 && type==1 && sampling==1 && region>3) std::cout << "H8HitPos D4T1S1R4 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==4 && type==1 && sampling==2 && region==0) std::cout << "H8HitPos D4T1S2R0 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==4 && type==1 && sampling==2 && region==1) std::cout << "H8HitPos D4T1S2R1 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==4 && type==1 && sampling==2 && region==2) std::cout << "H8HitPos D4T1S2R2 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==4 && type==1 && sampling==2 && region>=3) std::cout << "H8HitPos D4T1S2R3 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==4 && type==1 && sampling==3 ) std::cout << "H8HitPos D4T1S3 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==4 && type==2 ) std::cout << "H8HitPos D4T2 " << startPoint.x() << " " << rr << " " << rloc << std::endl; if (subdet==5) std::cout << "H8HitPos D5 " << startPoint.x() << " " << rr << " " << rloc << std::endl; #endif // Create the LArG4Identifier. identifier << detector << subdet << type << sampling << region << etaBin << phiBin; // if (subdet==4) { // if (!m_geometry->CheckDMIdentifier(type,sampling,region,etaBin,phiBin)) // { // std::cout << "H8CalibrationDefaultCalculator: invalid DM identifier " // << std::string(identifier) << std::endl; // } // } } #ifdef DEBUG_HITS G4double energy = accumulate(energies.begin(),energies.end(),0.); std::cout << "H8CalibrationDefaultCalculator::Process" << " volName " << volName << " ID=" << std::string(identifier) << " energy=" << energy << " energies=(" << energies[0] << "," << energies[1] << "," << energies[2] << "," << energies[3] << ")" << std::endl; #endif // Check for bad result. if ( identifier == LArG4Identifier() ) return false; return true; }
[ "rushioda@lxplus754.cern.ch" ]
rushioda@lxplus754.cern.ch
3e23e8311aa207aeca32d9263613d558f8028ab3
6b40e9dccf2edc767c44df3acd9b626fcd586b4d
/NT/inetsrv/iis/svcs/wp/sync/mdsync.hxx
37d25bb3650c62f357478f7e3e778c060e8eca7e
[]
no_license
jjzhang166/WinNT5_src_20201004
712894fcf94fb82c49e5cd09d719da00740e0436
b2db264153b80fbb91ef5fc9f57b387e223dbfc2
refs/heads/Win2K3
2023-08-12T01:31:59.670176
2021-10-14T15:14:37
2021-10-14T15:14:37
586,134,273
1
0
null
2023-01-07T03:47:45
2023-01-07T03:47:44
null
UTF-8
C++
false
false
18,486
hxx
// MdSync.hxx: Definition of the MdSync class // ////////////////////////////////////////////////////////////////////// #if !defined(AFX_MDSYNC_H__C97912DF_997E_11D0_A5F6_00A0C922E752__INCLUDED_) #define AFX_MDSYNC_H__C97912DF_997E_11D0_A5F6_00A0C922E752__INCLUDED_ #if _MSC_VER >= 1001 #pragma once #endif // _MSC_VER >= 1001 #include "resource.h" // main symbols #include <nsepname.hxx> #include <iadm.h> #include <iiscnfgp.h> #include <replseed.hxx> #define TIMEOUT_VALUE 10000 #define THREAD_COUNT 10 #define RANDOM_SEED_SIZE 16 //size of random bits used to generate session key, in bytes #define SEED_MD_DATA_SIZE (RANDOM_SEED_SIZE + SEED_HEADER_SIZE) typedef enum { SCANMODE_QUIT, SCANMODE_SYNC_PROPS, SCANMODE_SYNC_OBJECTS } SCANMODE; class CMdIf { public: CMdIf() { m_pcAdmCom = NULL; m_hmd = NULL; m_fModified = FALSE; } ~CMdIf() { Terminate(); } BOOL Init( LPSTR pszComputer ); BOOL Open( LPWSTR pszOpen = L"", DWORD dwAttr = METADATA_PERMISSION_READ ); BOOL Close(); BOOL Save() { m_pcAdmCom->SaveData(); return TRUE; } BOOL Terminate(); VOID SetModified() { m_fModified = TRUE; } BOOL Enum( LPWSTR pszPath, DWORD i, LPWSTR pName ) { HRESULT hRes; hRes = m_pcAdmCom->EnumKeys( m_hmd, pszPath, pName, i ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } BOOL GetAllData( LPWSTR pszPath, LPDWORD pdwRec, LPDWORD pdwDataSet, LPBYTE pBuff, DWORD cBuff, LPDWORD pdwRequired ) { HRESULT hRes; hRes = m_pcAdmCom->GetAllData( m_hmd, pszPath, 0, ALL_METADATA, ALL_METADATA, pdwRec, pdwDataSet, cBuff, pBuff, pdwRequired ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } BOOL GetData( LPWSTR pszPath, PMETADATA_RECORD pmd, LPVOID pData, LPDWORD pdwRequired ) { METADATA_RECORD md = *pmd; HRESULT hRes; md.pbMDData = (LPBYTE)pData; hRes = m_pcAdmCom->GetData( m_hmd, pszPath, &md, pdwRequired ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } BOOL SetData( LPWSTR pszPath, PMETADATA_RECORD pmd, LPVOID pData ) { METADATA_RECORD md = *pmd; HRESULT hRes; md.pbMDData = (LPBYTE)pData; hRes = m_pcAdmCom->SetData( m_hmd, pszPath, &md ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } BOOL DeleteProp( LPWSTR pszPath, PMETADATA_RECORD pmd ) { HRESULT hRes; hRes = m_pcAdmCom->DeleteData( m_hmd, pszPath, pmd->dwMDIdentifier, pmd->dwMDDataType ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } BOOL DeleteSubTree( LPWSTR pszPath ) { HRESULT hRes; hRes = m_pcAdmCom->DeleteChildKeys( m_hmd, pszPath ); hRes = m_pcAdmCom->DeleteKey( m_hmd, pszPath ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } BOOL AddNode( LPWSTR pszPath ) { HRESULT hRes; hRes = m_pcAdmCom->AddKey( m_hmd, pszPath ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } BOOL GetLastChangeTime( LPWSTR pszPath, PFILETIME pftMDLastChangeTime ) { HRESULT hRes; hRes = m_pcAdmCom->GetLastChangeTime( m_hmd, pszPath, pftMDLastChangeTime, FALSE ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } BOOL SetLastChangeTime( LPWSTR pszPath, PFILETIME pftMDLastChangeTime ) { HRESULT hRes; hRes = m_pcAdmCom->SetLastChangeTime( m_hmd, pszPath, pftMDLastChangeTime, FALSE ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } private: IMSAdminBaseW * m_pcAdmCom; //interface pointer METADATA_HANDLE m_hmd; BOOL m_fModified; } ; #if defined(ADMEX) class CRpIf { public: CRpIf() { m_pcAdmCom = NULL; } ~CRpIf() { Terminate(); } BOOL Init( LPSTR pszComputer, CLSID* pClsid ); BOOL Terminate(); BOOL GetSignature( BUFFER* pbuf, LPDWORD pdwBufSize ) { DWORD dwRequired; HRESULT hRes; hRes = m_pcAdmCom->GetSignature( pbuf->QuerySize(), (LPBYTE)pbuf->QueryPtr(), &dwRequired ); if ( hRes == RETURNCODETOHRESULT( ERROR_INSUFFICIENT_BUFFER ) ) { if ( !pbuf->Resize( dwRequired ) ) { return FALSE; } hRes = m_pcAdmCom->GetSignature( pbuf->QuerySize(), (LPBYTE)pbuf->QueryPtr(), &dwRequired ); } if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } else { *pdwBufSize = dwRequired; } return TRUE; } BOOL Serialize( BUFFER* pbuf, LPDWORD pdwBufSize ) { DWORD dwRequired; HRESULT hRes; hRes = m_pcAdmCom->Serialize( pbuf->QuerySize(), (LPBYTE)pbuf->QueryPtr(), &dwRequired ); if ( hRes == RETURNCODETOHRESULT( ERROR_INSUFFICIENT_BUFFER ) ) { if ( !pbuf->Resize( dwRequired ) ) { return FALSE; } hRes = m_pcAdmCom->Serialize( pbuf->QuerySize(), (LPBYTE)pbuf->QueryPtr(), &dwRequired ); } if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } else { *pdwBufSize = dwRequired; } return TRUE; } BOOL DeSerialize( BUFFER* pbuf, DWORD cBuff ) { HRESULT hRes; hRes = m_pcAdmCom->DeSerialize( cBuff, (LPBYTE)pbuf->QueryPtr() ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } BOOL Propagate( char* pTarget, DWORD cTarget ) { HRESULT hRes; hRes = m_pcAdmCom->Propagate( cTarget, (LPBYTE)pTarget ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } BOOL Propagate2( char* pTarget, DWORD cTarget, DWORD dwF ) { HRESULT hRes; hRes = m_pcAdmCom->Propagate2( cTarget, (LPBYTE)pTarget, dwF ); if ( FAILED( hRes ) ) { SetLastError( HRESULTTOWIN32(hRes) ); return FALSE; } return TRUE; } private: IMSAdminReplication* m_pcAdmCom; //interface pointer } ; #endif class CTargetBitmask { public: CTargetBitmask() { m_pbTargets = NULL; m_dwTargets = 0; } ~CTargetBitmask() { if ( m_pbTargets ) LocalFree( m_pbTargets ); } BOOL Init( DWORD dwNbTargets, BOOL fSt = TRUE ) { if ( m_pbTargets ) { LocalFree( m_pbTargets ); } if ( m_pbTargets = (LPBYTE)LocalAlloc( LMEM_FIXED, dwNbTargets ) ) { memset( m_pbTargets, fSt , dwNbTargets ); m_dwTargets = dwNbTargets; return TRUE; } return FALSE; } DWORD FindUntouchedTarget() { DWORD dwT; for ( dwT = 0 ; dwT < m_dwTargets ; ++dwT ) { if ( m_pbTargets[dwT] ) { m_pbTargets[dwT] = 0x0; return dwT; } } return 0xffffffff; } BOOL GetFlag( DWORD dwI ) { return m_pbTargets[dwI]; } VOID SetFlag( DWORD dwI, DWORD dwV ) { m_pbTargets[dwI] = (BYTE)dwV; } private: LPBYTE m_pbTargets; DWORD m_dwTargets; } ; typedef struct _THREAD_CONTEXT { PVOID pvContext; DWORD dwIndex; HANDLE hSemaphore; } THREAD_CONTEXT, *PTHREAD_CONTEXT; template <class T> class CTargetStatus { public: CTargetStatus() { m_pTargets = NULL; m_dwTargets = 0; } ~CTargetStatus() { if ( m_pTargets ) LocalFree( m_pTargets ); } BOOL Init( DWORD dwNbTargets ) { if ( m_pTargets ) { LocalFree( m_pTargets ); } if ( m_pTargets = (T*)LocalAlloc( LMEM_FIXED, dwNbTargets * sizeof(T)) ) { memset( m_pTargets, '\x0' , dwNbTargets * sizeof(T) ); m_dwTargets = dwNbTargets; return TRUE; } return FALSE; } T GetStatus( DWORD dwI ) { return m_pTargets[dwI]; } VOID SetStatus( DWORD dwI, T value ) { m_pTargets[dwI] = value; }; T* GetPtr( DWORD dwI ) { return m_pTargets+dwI; } BOOL IsError() { for ( UINT i = 0 ; i < m_dwTargets ; ++i ) { if ( m_pTargets[i] ) { return TRUE; } } return FALSE; } private: T* m_pTargets; DWORD m_dwTargets; }; class CNodeDesc; #define AER_PHASE1 1 #define AER_PHASE2 2 class CSync { public: CSync(); ~CSync(); VOID Lock() { EnterCriticalSection( &m_csLock ); } VOID Unlock() { LeaveCriticalSection( &m_csLock ); } HRESULT Sync( LPSTR pwszTargets, LPDWORD pdwResults, DWORD dwFlags, SYNC_STAT* pStat ); BOOL GenerateKeySeed(); BOOL PropagateKeySeed(); BOOL DeleteKeySeed(); HRESULT Cancel() { UINT i; m_fCancel = TRUE; if ( m_fInScan ) { for ( i = 0 ; i < m_dwThreads ; ++i ) { SignalWorkItem( i ); } } return S_OK; } BOOL ScanTarget( DWORD dwTarget ); VOID SignalWorkItem( DWORD dwI ) { ReleaseSemaphore( m_ThreadContext.GetPtr(dwI)->hSemaphore, 1, NULL ); } VOID WaitForWorkItem( DWORD dwI ) { WaitForSingleObject( m_ThreadContext.GetPtr(dwI)->hSemaphore, INFINITE ); } DWORD GetTargetCount() { return m_dwTargets; } VOID SetTargetError( DWORD dwTarget, DWORD dwError ); DWORD GetTargetError(DWORD dwTarget ) { return m_TargetStatus.GetStatus( dwTarget ); } BOOL IsLocal( DWORD dwTarget ) { return !m_bmIsRemote.GetFlag( dwTarget ); } BOOL IsCancelled() { return m_fCancel; } BOOL GetProp( LPWSTR pszPath, DWORD dwPropId, DWORD dwUserType, DWORD dwDataType, LPBYTE* ppBuf, LPDWORD pdwLen ); VOID IncrementSourceScan() { ++m_pStat->m_dwSourceScan; } VOID IncrementTargetScan( DWORD dwTarget ) { ++m_pStat->m_adwTargets[dwTarget*2]; } VOID IncrementTargetTouched( DWORD dwTarget ) { ++m_pStat->m_adwTargets[dwTarget*2+1]; } VOID SetSourceComplete() { m_pStat->m_fSourceComplete = TRUE; } DWORD QueryFlags() { return m_dwFlags;} CMdIf* GetSourceIf() { return &m_Source; } CMdIf* GetTargetIf( DWORD i ) { return m_pTargets[i]; } BOOL ScanThread(); BOOL ProcessQueuedRequest(); BOOL ProcessAdminExReplication( LPWSTR, LPSTR, DWORD ); BOOL QueueRequest( DWORD dwId, LPWSTR pszPath, DWORD dwTarget, FILETIME* ); VOID SetModified( DWORD i ) { m_pTargets[i]->SetModified(); } VOID SetTargetSignatureMismatch( DWORD i, DWORD iC, BOOL fSt) { m_bmTargetSignatureMismatch.SetFlag( i + iC*m_dwTargets, fSt ); } DWORD GetTargetSignatureMismatch( DWORD i, DWORD iC ) { return (DWORD)m_bmTargetSignatureMismatch.GetFlag(i + iC*m_dwTargets); } LIST_ENTRY m_QueuedRequestsHead; LONG m_lThreads; private: CNodeDesc* m_pRoot; CMdIf** m_pTargets; DWORD m_dwTargets; CMdIf m_Source; CTargetStatus<DWORD> m_TargetStatus; CTargetStatus<HANDLE> m_ThreadHandle; CTargetStatus<THREAD_CONTEXT> m_ThreadContext; BOOL m_fCancel; DWORD m_dwThreads; CTargetBitmask m_bmIsRemote; CTargetBitmask m_bmTargetSignatureMismatch; CRITICAL_SECTION m_csQueuedRequestsList; CRITICAL_SECTION m_csLock; BOOL m_fInScan; DWORD m_dwFlags; SYNC_STAT* m_pStat; BYTE m_rgbSeed[SEED_MD_DATA_SIZE]; DWORD m_cbSeed; } ; class CNseRequest { public: CNseRequest::CNseRequest(); CNseRequest::~CNseRequest(); BOOL Match( LPWSTR pszPath, DWORD dwId ) { return !_wcsicmp( pszPath, m_pszPath ) && dwId == m_dwId; } BOOL Init( LPWSTR pszPath, LPWSTR pszCreatePath, LPWSTR pszCreateObject, DWORD dwId, DWORD dwTargetCount, LPWSTR pszModifPath, FILETIME*, METADATA_RECORD* ); VOID AddTarget( DWORD i ) { m_bmTarget.SetFlag( i, TRUE ); } BOOL Process( CSync* ); LIST_ENTRY m_QueuedRequestsList; private: LPWSTR m_pszPath; LPWSTR m_pszCreatePath; LPWSTR m_pszCreateObject; LPWSTR m_pszModifPath; DWORD m_dwId; DWORD m_dwTargetCount; CTargetBitmask m_bmTarget; LPBYTE m_pbData; DWORD m_dwData; FILETIME m_ftModif; METADATA_RECORD m_md; } ; class CProps { public: CProps(); ~CProps(); BOOL GetAll( CMdIf*, LPWSTR ); VOID SetRefCount( DWORD dwRefCount ) { m_lRefCount = (LONG)dwRefCount; } VOID Dereference() { if ( !InterlockedDecrement( &m_lRefCount ) ) { if ( m_Props ) { LocalFree( m_Props ); m_Props = NULL; } } } BOOL IsNse( DWORD dwId ) { return dwId == MD_SERIAL_CERT11 || dwId == MD_SERIAL_DIGEST; } BOOL NseIsDifferent( DWORD dwId, LPBYTE pSourceData, DWORD dwSourceLen, LPBYTE pTargetData, DWORD dwTargetLen, LPWSTR pszPath, DWORD dwTarget ); BOOL NseSet( DWORD dwId, CSync*, LPWSTR pszPath, DWORD dwTarget ); LPBYTE GetProps() { return m_Props; } DWORD GetPropsCount() { return m_dwProps; } private: LPBYTE m_Props; DWORD m_dwProps; DWORD m_dwLenProps; LONG m_lRefCount; } ; class CNodeDesc { public: CNodeDesc( CSync* ); ~CNodeDesc(); BOOL Scan( CSync* pSync ); BOOL ScanTarget( DWORD dwTarget ); BOOL SetPath( LPWSTR pszPath ) { if ( m_pszPath ) { LocalFree( m_pszPath ); } if ( !(m_pszPath = (LPWSTR)LocalAlloc( LMEM_FIXED, (wcslen(pszPath)+1)*sizeof(WCHAR) )) ) { return FALSE; } wcscpy( m_pszPath, pszPath ); return TRUE; } LPWSTR GetPath() { return m_pszPath; } BOOL DoWork( SCANMODE sm, DWORD dwtarget ); BOOL BuildChildObjectsList( CMdIf*, LPWSTR pszPath ); // list of child CNodeDesc LIST_ENTRY m_ChildHead; // to CNodeDesc LIST_ENTRY m_ChildList; private: // source properties CProps m_Props; CTargetBitmask m_bmProps; CTargetBitmask m_bmObjs; BOOL m_fHasProps; BOOL m_fHasObjs; // LPWSTR m_pszPath; CSync* m_pSync; } ; ///////////////////////////////////////////////////////////////////////////// // MdSync class MdSync : public IMdSync, public CComObjectRoot, public CComCoClass<MdSync,&CLSID_MdSync> { public: MdSync() {} BEGIN_COM_MAP(MdSync) COM_INTERFACE_ENTRY(IMdSync) END_COM_MAP() //DECLARE_NOT_AGGREGATABLE(MdSync) // Remove the comment from the line above if you don't want your object to // support aggregation. DECLARE_REGISTRY_RESOURCEID(IDR_MdSync) // IMdSync public: STDMETHOD(Synchronize)( LPSTR mszTargets, LPDWORD pdwResults, DWORD dwFlags, LPDWORD pdwStat ); STDMETHOD(Cancel) (); private: CSync m_Sync; }; #endif // !defined(AFX_MDSYNC_H__C97912DF_997E_11D0_A5F6_00A0C922E752__INCLUDED_) 
[ "seta7D5@protonmail.com" ]
seta7D5@protonmail.com
50697e6a1e27f83e72e8327debaf4f30f049f0b7
c04c8ff0cf9943396545230395734ffb51381316
/include/audio_codec.h
00af4f64a5d22506b5f711670f130ab5c4f309d9
[]
no_license
RTAndroid/android_device_hardkernel_odroidxu3
f978e6d65eff8066114c358aa0457d87a8b3363f
9dbfd3d46c0ddafec38e74759d6b2ac5f9fff8e6
refs/heads/cm-12.1_5422
2021-01-09T07:10:59.864018
2015-07-06T21:06:30
2015-07-06T21:06:30
47,759,100
2
1
null
2015-12-10T12:02:25
2015-12-10T12:02:25
null
UTF-8
C++
false
false
2,391
h
/* ** Copyright 2008, The Android Open-Source Project ** ** Licensed under the Apache License, Version 2.0 (the "License"); ** you may not use this file except in compliance with the License. ** You may obtain a copy of the License at ** ** http://www.apache.org/licenses/LICENSE-2.0 ** ** Unless required by applicable law or agreed to in writing, software ** distributed under the License is distributed on an "AS IS" BASIS, ** WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. ** See the License for the specific language governing permissions and ** limitations under the License. */ #ifndef ANDROID_AUDIO_CODEC_H #define ANDROID_AUDIO_CODEC_H namespace android_audio_legacy { typedef struct AudioMixer_tag { const char *ctl; const int val; } AudioMixer; // codec mixer settings // : These settings depend on your sound codec driver. // : You have to modify. // const AudioMixer device_out_SPK[] = { {NULL, 0} }; const AudioMixer device_out_RCV[] = { {NULL, 0} }; const AudioMixer device_out_RING_SPK[] = { {NULL, 0} }; const AudioMixer device_out_RING_NO_MIC[] = { {NULL, 0} }; const AudioMixer device_out_HP_NO_MIC[] = { {NULL, 0} }; const AudioMixer device_out_RING_HP[] = { {NULL, 0} }; const AudioMixer device_out_HP[] = { {NULL, 0} }; const AudioMixer device_out_RING_SPK_HP[] = { {NULL, 0} }; const AudioMixer device_out_SPK_HP[] = { {NULL, 0} }; const AudioMixer device_out_BT[] = { {NULL, 0} }; const AudioMixer device_out_OFF[] = { {NULL, 0} }; const AudioMixer device_voice_RCV[] = { {NULL, 0} }; const AudioMixer device_voice_SPK[] = { {NULL, 0} }; const AudioMixer device_voice_TTY_VCO[] = { {NULL, 0} }; const AudioMixer device_voice_TTY_HCO[] = { {NULL, 0} }; const AudioMixer device_voice_TTY_FULL[] = { {NULL, 0} }; const AudioMixer device_voice_HP_NO_MIC[] = { {NULL, 0} }; const AudioMixer device_voice_HP[] = { {NULL, 0} }; const AudioMixer device_voice_BT[] = { {NULL, 0} }; const AudioMixer device_voice_OFF[] = { {NULL, 0} }; const AudioMixer device_input_Main_Mic[] = { {NULL, 0} }; const AudioMixer device_input_Hands_Free_Mic[] = { {NULL, 0} }; const AudioMixer device_input_BT_Sco_Mic[] = { {NULL, 0} }; const AudioMixer device_input_MIC_OFF[] = { {NULL, 0} }; }; // namespace android #endif //ANDROID_AUDIO_CODEC_H
[ "voodik.am@gmail.com" ]
voodik.am@gmail.com
4fda9d7bce7a52a79e9b10632bc16f7e0132c82f
4eddea9fee782e0d5ae1f9ca43326fd5de9cb053
/Charts/WidgetCharts/modeldata/charttablewidget.cpp
17f003ae68a7f05acf75969ff56ce722dfa026c8
[]
no_license
joesGit15/Qt
b4bc1d6ad89958ad740dd0e6fcb85d6ad67b0f41
373679af75e3d2fc38512ed0c34dd6f6c5b947d7
refs/heads/master
2022-01-25T17:24:33.763192
2022-01-06T15:01:23
2022-01-06T15:01:23
100,150,203
3
0
null
null
null
null
UTF-8
C++
false
false
2,408
cpp
#include "charttablewidget.h" #include "charttablemodel.h" #include <QtWidgets/qtableview.h> #include <QtWidgets/qgridlayout.h> #include <QtWidgets/qheaderview.h> #include <QtCharts/qchart.h> #include <QtCharts/qchartview.h> #include <QtCharts/qlineseries.h> #include <QtCharts/qvxymodelmapper.h> using namespace QtCharts; ChartTableWidget::ChartTableWidget(QWidget *parent) : QWidget(parent) { /** create simple model for storing data user's table data model */ ChartTableModel *model = new ChartTableModel; /** create table view and add model to it */ QTableView *tableView = new QTableView(this); tableView->setModel(model); tableView->horizontalHeader()->setSectionResizeMode(QHeaderView::Stretch); tableView->verticalHeader()->setSectionResizeMode(QHeaderView::Stretch); QChart *chart = new QChart; chart->setAnimationOptions(QChart::AllAnimations); QLineSeries *series = new QLineSeries; series->setName("Line 1"); QVXYModelMapper *mapper = new QVXYModelMapper(this); mapper->setXColumn(0); mapper->setYColumn(1); mapper->setSeries(series); mapper->setModel(model); chart->addSeries(series); /** for storing color hex from the series */ QString seriesColorHex = "#000000"; /** get the color of the series and use it for showing the mapped area */ seriesColorHex = "#" + QString::number(series->pen().color().rgb(), 16).right(6).toUpper(); model->addMapping(seriesColorHex, QRect(0, 0, 2, model->rowCount())); series = new QLineSeries; series->setName("Line 2"); mapper = new QVXYModelMapper(this); mapper->setXColumn(2); mapper->setYColumn(3); mapper->setSeries(series); mapper->setModel(model); chart->addSeries(series); /** get the color of the series and use it for showing the mapped area */ seriesColorHex = "#" + QString::number(series->pen().color().rgb(), 16).right(6).toUpper(); model->addMapping(seriesColorHex, QRect(2, 0, 2, model->rowCount())); chart->createDefaultAxes(); QChartView *chartView = new QChartView(chart,this); chartView->setRenderHint(QPainter::Antialiasing); chartView->setMinimumSize(640, 480); QGridLayout *glyt = new QGridLayout; glyt->addWidget(tableView, 1, 0); glyt->addWidget(chartView, 1, 1); glyt->setColumnStretch(1, 1); glyt->setColumnStretch(0, 0); setLayout(glyt); }
[ "little_star13@163.com" ]
little_star13@163.com
d33e1d87df5f928485d843e89977a0e1506c2bc5
929f5243e45e76bed48ab9e86b768261286d0458
/src/qt/splashscreen.cpp
ee158f572b44f9191405ff578a2e45d1982ee986
[ "MIT" ]
permissive
quishtv/QUISH
19ac12bb52edbc8f8db1783c61fd439d43f2465a
4a48136592a97e726234eda2ff2a48746c12d6eb
refs/heads/master
2022-05-07T02:36:24.577218
2020-02-19T11:22:54
2020-02-19T11:22:54
241,603,363
1
0
null
null
null
null
UTF-8
C++
false
false
5,691
cpp
// Copyright (c) 2011-2014 The Bitcoin developers // Copyright (c) 2014-2015 The Dash developers // Copyright (c) 2015-2019 The PIVX developers // Copyright (c) 2020 The QUISH developers // Distributed under the MIT/X11 software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #include "splashscreen.h" #include "clientversion.h" #include "init.h" #include "networkstyle.h" #include "guiinterface.h" #include "util.h" #include "version.h" #ifdef ENABLE_WALLET #include "wallet/wallet.h" #endif #include <QApplication> #include <QCloseEvent> #include <QDesktopWidget> #include <QPainter> SplashScreen::SplashScreen(Qt::WindowFlags f, const NetworkStyle* networkStyle) : QWidget(0, f), curAlignment(0) { // set reference point, paddings int paddingLeft = 14; int paddingTop = 470; int titleVersionVSpace = 17; int titleCopyrightVSpace = 32; float fontFactor = 1.0; // define text to place QString titleText = tr("QUISH"); QString versionText = QString(tr("Version %1")).arg(QString::fromStdString(FormatFullVersion())); QString copyrightTextBtc = QChar(0xA9) + QString(" 2009-%1 ").arg(COPYRIGHT_YEAR) + QString(tr("The Bitcoin Core developers")); QString copyrightTextDash = QChar(0xA9) + QString(" 2014-%1 ").arg(COPYRIGHT_YEAR) + QString(tr("The Dash Core developers")); QString copyrightTextQUISH = QChar(0xA9) + QString(" 2015-%1 ").arg(COPYRIGHT_YEAR) + QString(tr("The QUISH Coin developers")); QString titleAddText = networkStyle->getTitleAddText(); QString font = QApplication::font().toString(); // load the bitmap for writing some text over it pixmap = networkStyle->getSplashImage(); QPainter pixPaint(&pixmap); pixPaint.setPen(QColor(100, 100, 100)); // check font size and drawing with pixPaint.setFont(QFont(font, 28 * fontFactor)); QFontMetrics fm = pixPaint.fontMetrics(); int titleTextWidth = fm.width(titleText); if (titleTextWidth > 160) { // strange font rendering, Arial probably not found fontFactor = 0.75; } pixPaint.setFont(QFont(font, 28 * fontFactor)); fm = pixPaint.fontMetrics(); //titleTextWidth = fm.width(titleText); pixPaint.drawText(paddingLeft, paddingTop, titleText); pixPaint.setFont(QFont(font, 15 * fontFactor)); pixPaint.drawText(paddingLeft, paddingTop + titleVersionVSpace, versionText); // draw copyright stuff pixPaint.setFont(QFont(font, 10 * fontFactor)); pixPaint.drawText(paddingLeft, paddingTop + titleCopyrightVSpace, copyrightTextBtc); pixPaint.drawText(paddingLeft, paddingTop + titleCopyrightVSpace + 12, copyrightTextDash); pixPaint.drawText(paddingLeft, paddingTop + titleCopyrightVSpace + 24, copyrightTextQUISH); // draw additional text if special network if (!titleAddText.isEmpty()) { QFont boldFont = QFont(font, 10 * fontFactor); boldFont.setWeight(QFont::Bold); pixPaint.setFont(boldFont); fm = pixPaint.fontMetrics(); int titleAddTextWidth = fm.width(titleAddText); pixPaint.drawText(pixmap.width() - titleAddTextWidth - 10, pixmap.height() - 25, titleAddText); } pixPaint.end(); // Set window title setWindowTitle(titleText + " " + titleAddText); // Resize window and move to center of desktop, disallow resizing QRect r(QPoint(), pixmap.size()); resize(r.size()); setFixedSize(r.size()); move(QApplication::desktop()->screenGeometry().center() - r.center()); subscribeToCoreSignals(); } SplashScreen::~SplashScreen() { unsubscribeFromCoreSignals(); } void SplashScreen::slotFinish(QWidget* mainWin) { Q_UNUSED(mainWin); hide(); } static void InitMessage(SplashScreen* splash, const std::string& message) { QMetaObject::invokeMethod(splash, "showMessage", Qt::QueuedConnection, Q_ARG(QString, QString::fromStdString(message)), Q_ARG(int, Qt::AlignBottom | Qt::AlignHCenter), Q_ARG(QColor, QColor(100, 100, 100))); } static void ShowProgress(SplashScreen* splash, const std::string& title, int nProgress) { InitMessage(splash, title + strprintf("%d", nProgress) + "%"); } #ifdef ENABLE_WALLET static void ConnectWallet(SplashScreen* splash, CWallet* wallet) { wallet->ShowProgress.connect(boost::bind(ShowProgress, splash, _1, _2)); } #endif void SplashScreen::subscribeToCoreSignals() { // Connect signals to client uiInterface.InitMessage.connect(boost::bind(InitMessage, this, _1)); uiInterface.ShowProgress.connect(boost::bind(ShowProgress, this, _1, _2)); #ifdef ENABLE_WALLET uiInterface.LoadWallet.connect(boost::bind(ConnectWallet, this, _1)); #endif } void SplashScreen::unsubscribeFromCoreSignals() { // Disconnect signals from client uiInterface.InitMessage.disconnect(boost::bind(InitMessage, this, _1)); uiInterface.ShowProgress.disconnect(boost::bind(ShowProgress, this, _1, _2)); #ifdef ENABLE_WALLET if (pwalletMain) pwalletMain->ShowProgress.disconnect(boost::bind(ShowProgress, this, _1, _2)); #endif } void SplashScreen::showMessage(const QString& message, int alignment, const QColor& color) { curMessage = message; curAlignment = alignment; curColor = color; update(); } void SplashScreen::paintEvent(QPaintEvent* event) { QPainter painter(this); painter.drawPixmap(0, 0, pixmap); QRect r = rect().adjusted(5, 5, -5, -5); painter.setPen(curColor); painter.drawText(r, curAlignment, curMessage); } void SplashScreen::closeEvent(QCloseEvent* event) { StartShutdown(); // allows an "emergency" shutdown during startup event->ignore(); }
[ "61221141+quishtv@users.noreply.github.com" ]
61221141+quishtv@users.noreply.github.com
0e60996bba27bedc8a0bd84daa1e56cf94713855
afd1cdcd7c91247f4b7202ffab15e2ba513f95df
/EFI/CLOVER/kexts/Other/Lilu.kext/Contents/Resources/Headers/kern_api.hpp
5aaa97625a5e3f32cebbfc88b28477477bb9b57b
[]
no_license
yunWJR/Hackintosh-deskmini-efi
3665c7eedd4831bcaea0b62018c02a88eb386e5a
1e15c73bc04fc1e0a74114a09a7257e4a86466e4
refs/heads/master
2021-06-20T21:49:17.884963
2018-11-05T01:59:44
2018-11-05T01:59:44
95,655,696
31
5
null
null
null
null
UTF-8
C++
false
false
7,563
hpp
// // kern_api.hpp // Lilu // // Copyright © 2016-2017 vit9696. All rights reserved. // #ifndef kern_api_h #define kern_api_h #include <Headers/kern_config.hpp> #include <Headers/kern_patcher.hpp> #include <Headers/kern_user.hpp> #include <Headers/kern_util.hpp> #include <stdint.h> #include <sys/types.h> #include <libkern/OSAtomic.h> class LiluAPI { public: /** * Initialise lilu api */ void init(); /** * Deinitialise lilu api */ void deinit(); /** * Errors returned by functions */ enum class Error { NoError, LockError, MemoryError, UnsupportedFeature, IncompatibleOS, Disabled, TooLate, Offline }; /** * Minimal API version that guarantees forward ABI compatibility * Present due to lack of OSBundleCompatibleVersion at kext injection */ static constexpr size_t CompatibilityVersion {parseModuleVersion("1.2.0")}; /** * Obtains api access by holding a lock, which is required when accessing out of the main context * * @param version api compatibility version * @param check do not wait on the lock but return Error::LockError on failure * * @return Error::NoError on success */ EXPORT Error requestAccess(size_t version=CompatibilityVersion, bool check=false); /** * Releases api lock * * @return Error::NoError on success */ EXPORT Error releaseAccess(); /** * You are supposed declare that your plugins work in at least one of these modes * It is assumed that single user mode is equal to normal, because it is generally * used to continue the load of a complete OS, and by default Lilu itself ignores it. */ enum Requirements : uint32_t { AllowNormal = 1, AllowInstallerRecovery = 2, AllowSafeMode = 4 }; /** * Decides whether you are eligible to continue * * @param product product name * @param version product version * @param runmode bitmask of allowed enviornments * @param disableArg pointer to disabling boot arguments array * @param disableArgNum number of disabling boot arguments * @param debugArg pointer to debug boot arguments array * @param debugArgNum number of debug boot arguments * @param betaArg pointer to beta boot arguments array * @param betaArgNum number of beta boot arguments * @param min minimal required kernel version * @param max maximum supported kernel version * @param printDebug returns debug printing status (based on debugArg) * * @return Error::NoError on success */ EXPORT Error shouldLoad(const char *product, size_t version, uint32_t runmode, const char **disableArg, size_t disableArgNum, const char **debugArg, size_t debugArgNum, const char **betaArg, size_t betaArgNum, KernelVersion min, KernelVersion max, bool &printDebug); /** * Kernel patcher loaded callback * * @param user user provided pointer at registering * @param patcher kernel patcher instance */ using t_patcherLoaded = void (*)(void *user, KernelPatcher &patcher); /** * Registers custom provided callbacks for later invocation on kernel patcher initialisation * * @param callback your callback function * @param user your pointer that will be passed to the callback function * * @return Error::NoError on success */ EXPORT Error onPatcherLoad(t_patcherLoaded callback, void *user=nullptr); /** * Kext loaded callback * Note that you will get notified of all the requested kexts for speed reasons * * @param user user provided pointer at registering * @param patcher kernel patcher instance * @param id loaded kinfo id * @param slide loaded slide * @param size loaded memory size */ using t_kextLoaded = void (*)(void *user, KernelPatcher &patcher, size_t id, mach_vm_address_t slide, size_t size); /** * Registers custom provided callbacks for later invocation on kext load * * @param infos your kext list (make sure to point to const memory) * @param num number of provided kext entries * @param callback your callback function * @param user your pointer that will be passed to the callback function * * @return Error::NoError on success */ EXPORT Error onKextLoad(KernelPatcher::KextInfo *infos, size_t num, t_kextLoaded callback, void *user=nullptr); /** * Registers custom provided callbacks for later invocation on binary load * * @param infos your binary list (make sure to point to const memory) * @param num number of provided binary entries * @param callback your callback function (could be null) * @param user your pointer that will be passed to the callback function * @param mods optional mod list (make sure to point to const memory) * @param modnum number of provided mod entries * * @return Error::NoError on success */ EXPORT Error onProcLoad(UserPatcher::ProcInfo *infos, size_t num, UserPatcher::t_BinaryLoaded callback, void *user=nullptr, UserPatcher::BinaryModInfo *mods=nullptr, size_t modnum=0); /** * Processes all the registered patcher load callbacks * * @param patcher kernel patcher instance */ void processPatcherLoadCallbacks(KernelPatcher &patcher); /** * Processes all the registered kext load callbacks * * @param patcher kernel patcher instance * @param id loaded kinfo id * @param slide loaded slide * @param size loaded memory size * @param reloadable kinfo could be unloaded */ void processKextLoadCallbacks(KernelPatcher &patcher, size_t id, mach_vm_address_t slide, size_t size, bool reloadable); /** * Processes all the registered user patcher load callbacks * * @param patcher user patcher instance */ void processUserLoadCallbacks(UserPatcher &patcher); /** * Processes all the registered binary load callbacks * * @param patcher kernel patcher instance * @param map process image vm_map * @param path path to the binary absolute or relative * @param len path length excluding null terminator */ void processBinaryLoadCallbacks(UserPatcher &patcher, vm_map_t map, const char *path, size_t len); /** * Activates patchers * * @param kpatcher kernel patcher instance * @param upatcher user patcher instance */ void activate(KernelPatcher &kpatcher, UserPatcher &upatcher); private: /** * Api lock */ IOLock *access {nullptr}; /** * Defines current running modes */ uint32_t currentRunMode {}; /** * No longer accept any requests */ bool apiRequestsOver {false}; /** * Stores call function and user pointer */ template <typename T, typename Y=void *> using stored_pair = ppair<T, Y>; /** * Stores multiple callbacks */ template <typename T, typename Y=void *> using stored_vector = evector<stored_pair<T, Y> *, stored_pair<T, Y>::deleter>; /** * List of patcher callbacks */ stored_vector<t_patcherLoaded> patcherLoadedCallbacks; /** * List of kext callbacks */ stored_vector<t_kextLoaded> kextLoadedCallbacks; /** * List of binary callbacks */ stored_vector<UserPatcher::t_BinaryLoaded> binaryLoadedCallbacks; /** * List of processed kexts */ stored_vector<KernelPatcher::KextInfo *, size_t> storedKexts; /** * List of processed procs */ evector<UserPatcher::ProcInfo *> storedProcs; /** * List of processed binary mods */ evector<UserPatcher::BinaryModInfo *> storedBinaryMods; }; EXPORT extern LiluAPI lilu; #endif /* kern_api_h */
[ "yun@yundeiMac.local" ]
yun@yundeiMac.local
ce053f8200f6a549602040905b7f78cedcec3465
07b3bfd5fccf5eed4e24c73d134d67b9986c8a45
/aooni/Classes/Native/Bulk_mscorlib_6.cpp
aea679477f6b70353a488c48803a6c2ff5b2e780
[]
no_license
koromochu9999/AooniVR
4fb3cde8da799a723a4b43c645b7332ed91763e3
363f79bd6bd35fe3a44d275de363df61d295b52c
refs/heads/master
2023-02-20T08:51:46.695028
2018-06-13T07:10:29
2018-06-13T07:10:29
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,005,622
cpp
#include "il2cpp-config.h" #ifndef _MSC_VER # include <alloca.h> #else # include <malloc.h> #endif #include <cstring> #include <string.h> #include <stdio.h> #include <cmath> #include <limits> #include <assert.h> // System.Security.Cryptography.KeyedHashAlgorithm struct KeyedHashAlgorithm_t3076212156; // System.Byte[] struct ByteU5BU5D_t58506160; // System.Security.Cryptography.KeySizes struct KeySizes_t2111859404; // System.Security.Cryptography.KeySizes[] struct KeySizesU5BU5D_t1304982661; // System.Security.Cryptography.MACTripleDES struct MACTripleDES_t3405144990; // System.String struct String_t; // System.Security.Cryptography.MD5 struct MD5_t1557559991; // System.Security.Cryptography.MD5CryptoServiceProvider struct MD5CryptoServiceProvider_t2380770080; // System.Security.Cryptography.RandomNumberGenerator struct RandomNumberGenerator_t2174318432; // System.Security.Cryptography.RC2 struct RC2_t1557564762; // System.Security.Cryptography.RC2CryptoServiceProvider struct RC2CryptoServiceProvider_t2620173405; // System.Security.Cryptography.ICryptoTransform struct ICryptoTransform_t4226691419; // System.Security.Cryptography.RC2Transform struct RC2Transform_t941602180; // System.Security.Cryptography.Rijndael struct Rijndael_t277002104; // System.Security.Cryptography.RijndaelManaged struct RijndaelManaged_t2043993497; // System.Security.Cryptography.RijndaelManagedTransform struct RijndaelManagedTransform_t3930995749; // System.Security.Cryptography.RijndaelTransform struct RijndaelTransform_t2468220198; // System.UInt32[] struct UInt32U5BU5D_t2133601851; // System.Security.Cryptography.RIPEMD160 struct RIPEMD160_t2080656385; // System.Security.Cryptography.RIPEMD160Managed struct RIPEMD160Managed_t279301360; // System.Security.Cryptography.RNGCryptoServiceProvider struct RNGCryptoServiceProvider_t3578171699; // System.Security.Cryptography.RSA struct RSA_t1557565273; // System.Security.Cryptography.RSACryptoServiceProvider struct RSACryptoServiceProvider_t555495358; // System.Security.Cryptography.CspParameters struct CspParameters_t4096074019; // System.Object struct Il2CppObject; // System.EventArgs struct EventArgs_t516466188; // System.Security.Cryptography.RSAPKCS1KeyExchangeFormatter struct RSAPKCS1KeyExchangeFormatter_t3800217447; // System.Security.Cryptography.AsymmetricAlgorithm struct AsymmetricAlgorithm_t4236534322; // System.Security.Cryptography.RSAPKCS1SHA1SignatureDescription struct RSAPKCS1SHA1SignatureDescription_t1251040232; // System.Security.Cryptography.RSAPKCS1SignatureDeformatter struct RSAPKCS1SignatureDeformatter_t1504052144; // System.Security.Cryptography.RSAPKCS1SignatureFormatter struct RSAPKCS1SignatureFormatter_t370309777; // System.Security.Cryptography.SHA1 struct SHA1_t1560027742; // System.Security.Cryptography.SHA1CryptoServiceProvider struct SHA1CryptoServiceProvider_t2229084633; // System.Security.Cryptography.SHA1Internal struct SHA1Internal_t1230592059; // System.Security.Cryptography.SHA1Managed struct SHA1Managed_t1948156915; // System.Security.Cryptography.SHA256 struct SHA256_t4002183040; // System.Security.Cryptography.SHA256Managed struct SHA256Managed_t2421982353; // System.Security.Cryptography.SHA384 struct SHA384_t4002184092; // System.Security.Cryptography.SHA384Managed struct SHA384Managed_t1907419381; // System.Security.Cryptography.SHA512 struct SHA512_t4002185795; // System.Security.Cryptography.SHA512Managed struct SHA512Managed_t2091018350; // System.Security.Cryptography.SignatureDescription struct SignatureDescription_t922482045; // System.Security.Cryptography.SymmetricAlgorithm struct SymmetricAlgorithm_t839208017; // System.Security.Cryptography.ToBase64Transform struct ToBase64Transform_t1303874555; // System.Security.Cryptography.TripleDES struct TripleDES_t3174934509; // System.Security.Cryptography.TripleDESCryptoServiceProvider struct TripleDESCryptoServiceProvider_t635698090; // System.Security.Cryptography.TripleDESTransform struct TripleDESTransform_t390189137; // System.Security.Cryptography.X509Certificates.X509Certificate struct X509Certificate_t3432067208; // System.Runtime.Serialization.SerializationInfo struct SerializationInfo_t2995724695; // System.Security.Permissions.SecurityPermission struct SecurityPermission_t3919018054; // System.Security.IPermission struct IPermission_t2562055037; // System.Security.SecurityElement struct SecurityElement_t2475331585; // System.Security.Permissions.StrongNamePublicKeyBlob struct StrongNamePublicKeyBlob_t2864573480; // System.Security.PermissionSet struct PermissionSet_t2781735032; // System.Security.Policy.ApplicationTrust struct ApplicationTrust_t1139375075; // System.Security.Policy.Evidence struct Evidence_t2439192402; // System.Collections.ArrayList struct ArrayList_t2121638921; // System.Array struct Il2CppArray; // System.Collections.IEnumerator struct IEnumerator_t287207039; // System.Security.Policy.Evidence/EvidenceEnumerator struct EvidenceEnumerator_t1490308507; // System.Security.Policy.Hash struct Hash_t1993822729; // System.Security.Policy.StrongName struct StrongName_t3441834685; // System.Version struct Version_t497901645; // System.Security.Principal.WindowsIdentity struct WindowsIdentity_t4008973414; // System.Security.SecureString struct SecureString_t4183656205; // System.Security.SecurityContext struct SecurityContext_t794732212; // System.Threading.CompressedStack struct CompressedStack_t2946347082; // System.Security.SecurityCriticalAttribute struct SecurityCriticalAttribute_t2046183106; // System.Text.StringBuilder struct StringBuilder_t3822575854; // System.Security.SecurityElement/SecurityAttribute struct SecurityAttribute_t3835542300; // System.Security.SecurityException struct SecurityException_t128786772; // System.Type struct Type_t; // System.Security.RuntimeSecurityFrame struct RuntimeSecurityFrame_t3890879930; // System.Reflection.Assembly struct Assembly_t1882292308; // System.AppDomain struct AppDomain_t1551247802; // System.Security.SecuritySafeCriticalAttribute struct SecuritySafeCriticalAttribute_t2130178741; // System.Security.SuppressUnmanagedCodeSecurityAttribute struct SuppressUnmanagedCodeSecurityAttribute_t1986929219; // System.Security.UnverifiableCodeAttribute struct UnverifiableCodeAttribute_t556957784; // System.SerializableAttribute struct SerializableAttribute_t2274565074; // System.IFormatProvider struct IFormatProvider_t3436592966; // System.Char[] struct CharU5BU5D_t3416858730; // System.Collections.Generic.IEnumerator`1<System.Char> struct IEnumerator_1_t4261813147; // System.String[] struct StringU5BU5D_t2956870243; // System.Globalization.CultureInfo struct CultureInfo_t3603717042; // System.Object[] struct ObjectU5BU5D_t11523773; // System.Text.Encoding struct Encoding_t180559927; // System.StringComparer struct StringComparer_t4058118931; // System.SystemException struct SystemException_t3155420757; // System.Exception struct Exception_t1967233988; // System.Text.ASCIIEncoding struct ASCIIEncoding_t15734376; // System.Text.EncoderFallbackBuffer struct EncoderFallbackBuffer_t2042758306; // System.Text.DecoderFallbackBuffer struct DecoderFallbackBuffer_t1215858122; // System.Text.Decoder struct Decoder_t1611780840; // System.Text.DecoderFallback struct DecoderFallback_t4033313258; // System.Text.DecoderExceptionFallback struct DecoderExceptionFallback_t2347889489; // System.Text.DecoderExceptionFallbackBuffer struct DecoderExceptionFallbackBuffer_t2938508785; // System.Text.DecoderFallbackException struct DecoderFallbackException_t3951869581; // System.Text.DecoderReplacementFallback struct DecoderReplacementFallback_t1303633684; // System.Text.DecoderReplacementFallbackBuffer struct DecoderReplacementFallbackBuffer_t4293583732; // System.Text.EncoderExceptionFallback struct EncoderExceptionFallback_t598861177; // System.Text.EncoderExceptionFallbackBuffer struct EncoderExceptionFallbackBuffer_t597805593; // System.Text.EncoderFallback struct EncoderFallback_t990837442; // System.Text.EncoderFallbackException struct EncoderFallbackException_t2202841269; // System.Text.EncoderReplacementFallback struct EncoderReplacementFallback_t4114605884; // System.Text.EncoderReplacementFallbackBuffer struct EncoderReplacementFallbackBuffer_t1145712028; // System.Text.Encoding/ForwardingDecoder struct ForwardingDecoder_t1189038695; // System.Text.Latin1Encoding struct Latin1Encoding_t1597279492; // System.Text.UnicodeEncoding struct UnicodeEncoding_t909387252; // System.Text.UnicodeEncoding/UnicodeDecoder struct UnicodeDecoder_t3369145031; // System.Text.UTF32Encoding struct UTF32Encoding_t420914269; // System.Text.UTF32Encoding/UTF32Decoder struct UTF32Decoder_t3353387838; // System.Text.UTF7Encoding struct UTF7Encoding_t445806535; #include "class-internals.h" #include "codegen/il2cpp-codegen.h" #include "mscorlib_System_Array2840145358.h" #include "mscorlib_System_Security_Cryptography_KeyedHashAlg3076212156.h" #include "mscorlib_System_Security_Cryptography_KeyedHashAlg3076212156MethodDeclarations.h" #include "mscorlib_System_Void2779279689.h" #include "mscorlib_System_Security_Cryptography_HashAlgorithm24372250MethodDeclarations.h" #include "mscorlib_System_Object837106420MethodDeclarations.h" #include "mscorlib_System_Boolean211005341.h" #include "mscorlib_System_Object837106420.h" #include "mscorlib_ArrayTypes.h" #include "mscorlib_System_Byte2778693821.h" #include "mscorlib_System_Array2840145358MethodDeclarations.h" #include "mscorlib_Locale2281372282MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_Cryptographi3718270561MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_HashAlgorithm24372250.h" #include "mscorlib_System_Int322847414787.h" #include "mscorlib_System_String968488902.h" #include "mscorlib_System_Security_Cryptography_Cryptographi3718270561.h" #include "mscorlib_System_Security_Cryptography_KeySizes2111859404.h" #include "mscorlib_System_Security_Cryptography_KeySizes2111859404MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_MACTripleDES3405144990.h" #include "mscorlib_System_Security_Cryptography_MACTripleDES3405144990MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_TripleDES3174934509MethodDeclarations.h" #include "mscorlib_Mono_Security_Cryptography_MACAlgorithm1910042165MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_TripleDES3174934509.h" #include "mscorlib_System_Security_Cryptography_SymmetricAlgo839208017MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SymmetricAlgo839208017.h" #include "mscorlib_System_Security_Cryptography_PaddingMode1724215917.h" #include "mscorlib_Mono_Security_Cryptography_MACAlgorithm1910042165.h" #include "mscorlib_System_ObjectDisposedException973246880MethodDeclarations.h" #include "mscorlib_System_ObjectDisposedException973246880.h" #include "mscorlib_System_Security_Cryptography_MD51557559991.h" #include "mscorlib_System_Security_Cryptography_MD51557559991MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_CryptoConfig2102571196MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_MD5CryptoSer2380770080.h" #include "mscorlib_System_Security_Cryptography_MD5CryptoSer2380770080MethodDeclarations.h" #include "mscorlib_System_UInt32985925326.h" #include "mscorlib_System_Runtime_CompilerServices_RuntimeHe1695827251MethodDeclarations.h" #include "mscorlib_U3CPrivateImplementationDetailsU3E3053238933.h" #include "mscorlib_U3CPrivateImplementationDetailsU3E3053238933MethodDeclarations.h" #include "mscorlib_U3CPrivateImplementationDetailsU3E_U24Arr2366142878.h" #include "mscorlib_System_RuntimeFieldHandle3184214143.h" #include "mscorlib_System_Buffer482356213MethodDeclarations.h" #include "mscorlib_System_UInt64985925421.h" #include "mscorlib_System_Security_Cryptography_PaddingMode1724215917MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RandomNumber2174318432.h" #include "mscorlib_System_Security_Cryptography_RandomNumber2174318432MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RC21557564762.h" #include "mscorlib_System_Security_Cryptography_RC21557564762MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RC2CryptoSer2620173405.h" #include "mscorlib_System_Security_Cryptography_RC2CryptoSer2620173405MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RC2Transform941602180MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RC2Transform941602180.h" #include "mscorlib_Mono_Security_Cryptography_KeyBuilder2049706641MethodDeclarations.h" #include "mscorlib_Mono_Security_Cryptography_SymmetricTrans3854241866MethodDeclarations.h" #include "mscorlib_System_Math2778998461MethodDeclarations.h" #include "mscorlib_System_UInt16985925268.h" #include "mscorlib_Mono_Security_Cryptography_SymmetricTrans3854241866.h" #include "mscorlib_System_Security_Cryptography_Rijndael277002104.h" #include "mscorlib_System_Security_Cryptography_Rijndael277002104MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RijndaelMana2043993497.h" #include "mscorlib_System_Security_Cryptography_RijndaelMana2043993497MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RijndaelMana3930995749MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RijndaelMana3930995749.h" #include "mscorlib_System_Security_Cryptography_RijndaelTran2468220198MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RijndaelTran2468220198.h" #include "mscorlib_System_Security_Cryptography_CipherMode3203384231.h" #include "mscorlib_U3CPrivateImplementationDetailsU3E_U24Arr2366141818.h" #include "mscorlib_U3CPrivateImplementationDetailsU3E_U24Arra335950518.h" #include "mscorlib_System_Security_Cryptography_RIPEMD1602080656385.h" #include "mscorlib_System_Security_Cryptography_RIPEMD1602080656385MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RIPEMD160Mana279301360.h" #include "mscorlib_System_Security_Cryptography_RIPEMD160Mana279301360MethodDeclarations.h" #include "mscorlib_System_BitConverter3338308296.h" #include "mscorlib_System_BitConverter3338308296MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RNGCryptoSer3578171699.h" #include "mscorlib_System_Security_Cryptography_RNGCryptoSer3578171699MethodDeclarations.h" #include "mscorlib_System_IntPtr676692020.h" #include "mscorlib_System_IntPtr676692020MethodDeclarations.h" #include "mscorlib_System_ArgumentNullException3214793280MethodDeclarations.h" #include "mscorlib_System_Threading_Monitor2071304733MethodDeclarations.h" #include "mscorlib_System_ArgumentNullException3214793280.h" #include "mscorlib_System_Security_Cryptography_RSA1557565273.h" #include "mscorlib_System_Security_Cryptography_RSA1557565273MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_AsymmetricAl4236534322MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RSAParameter2711684451.h" #include "mscorlib_System_Exception1967233988.h" #include "mscorlib_System_Text_StringBuilder3822575854MethodDeclarations.h" #include "mscorlib_System_Convert1097883944MethodDeclarations.h" #include "mscorlib_System_Text_StringBuilder3822575854.h" #include "mscorlib_System_Security_Cryptography_RSACryptoServ555495358.h" #include "mscorlib_System_Security_Cryptography_RSACryptoServ555495358MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_CspParameter4096074019.h" #include "mscorlib_Mono_Security_Cryptography_RSAManaged639738772MethodDeclarations.h" #include "mscorlib_Mono_Security_Cryptography_RSAManaged_Key1233396096MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_CspParameter4096074019MethodDeclarations.h" #include "mscorlib_Mono_Security_Cryptography_KeyPairPersist3887392091MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_AsymmetricAl4236534322.h" #include "mscorlib_Mono_Security_Cryptography_RSAManaged639738772.h" #include "mscorlib_System_EventArgs516466188.h" #include "mscorlib_Mono_Security_Cryptography_RSAManaged_Key1233396096.h" #include "mscorlib_System_Security_Cryptography_CspProviderF3172895311.h" #include "mscorlib_Mono_Security_Cryptography_KeyPairPersist3887392091.h" #include "mscorlib_System_Security_Cryptography_RSAParameter2711684451MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RSAPKCS1KeyE3800217447.h" #include "mscorlib_System_Security_Cryptography_RSAPKCS1KeyE3800217447MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_AsymmetricKe1230725047MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_Cryptographi3594907801MethodDeclarations.h" #include "mscorlib_Mono_Security_Cryptography_PKCS13821523995MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_Cryptographi3594907801.h" #include "mscorlib_System_Security_Cryptography_RSAPKCS1SHA11251040232.h" #include "mscorlib_System_Security_Cryptography_RSAPKCS1SHA11251040232MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SignatureDesc922482045MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RSAPKCS1Sign1504052144.h" #include "mscorlib_System_Security_Cryptography_RSAPKCS1Sign1504052144MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_AsymmetricSi3229527040MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_RSAPKCS1Signa370309777.h" #include "mscorlib_System_Security_Cryptography_RSAPKCS1Signa370309777MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_AsymmetricSign77133537MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SHA11560027742.h" #include "mscorlib_System_Security_Cryptography_SHA11560027742MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SHA1CryptoSe2229084633.h" #include "mscorlib_System_Security_Cryptography_SHA1CryptoSe2229084633MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SHA1Internal1230592059MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SHA1Internal1230592059.h" #include "mscorlib_System_Security_Cryptography_SHA1Managed1948156915.h" #include "mscorlib_System_Security_Cryptography_SHA1Managed1948156915MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SHA2564002183040.h" #include "mscorlib_System_Security_Cryptography_SHA2564002183040MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SHA256Manage2421982353.h" #include "mscorlib_System_Security_Cryptography_SHA256Manage2421982353MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SHAConstants548183900.h" #include "mscorlib_System_Security_Cryptography_SHAConstants548183900MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SHA3844002184092.h" #include "mscorlib_System_Security_Cryptography_SHA3844002184092MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SHA384Manage1907419381.h" #include "mscorlib_System_Security_Cryptography_SHA384Manage1907419381MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SHA5124002185795.h" #include "mscorlib_System_Security_Cryptography_SHA5124002185795MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_SHA512Manage2091018350.h" #include "mscorlib_System_Security_Cryptography_SHA512Manage2091018350MethodDeclarations.h" #include "mscorlib_U3CPrivateImplementationDetailsU3E_U24Arr2366146685.h" #include "mscorlib_System_Security_Cryptography_SignatureDesc922482045.h" #include "mscorlib_System_GC2776609905MethodDeclarations.h" #include "mscorlib_System_Enum2778772662MethodDeclarations.h" #include "mscorlib_System_Type2779229935.h" #include "mscorlib_System_Security_Cryptography_ToBase64Tran1303874555.h" #include "mscorlib_System_Security_Cryptography_ToBase64Tran1303874555MethodDeclarations.h" #include "mscorlib_System_ArgumentException124305799MethodDeclarations.h" #include "mscorlib_System_ArgumentOutOfRangeException3479058991MethodDeclarations.h" #include "mscorlib_System_ArgumentException124305799.h" #include "mscorlib_System_ArgumentOutOfRangeException3479058991.h" #include "mscorlib_System_Security_Cryptography_Base64Consta2949752281.h" #include "mscorlib_System_Security_Cryptography_Base64Consta2949752281MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_TripleDESCryp635698090.h" #include "mscorlib_System_Security_Cryptography_TripleDESCryp635698090MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_TripleDESTran390189137MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_TripleDESTran390189137.h" #include "mscorlib_System_Security_Cryptography_DES1557551403MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_DESTransform1940497619MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_DES1557551403.h" #include "mscorlib_System_Security_Cryptography_DESTransform1940497619.h" #include "mscorlib_System_Security_Cryptography_X509Certific3432067208.h" #include "mscorlib_System_Security_Cryptography_X509Certific3432067208MethodDeclarations.h" #include "mscorlib_System_Security_Cryptography_X509Certifica117935804.h" #include "mscorlib_System_Runtime_Serialization_Serializatio2995724695.h" #include "mscorlib_System_Runtime_Serialization_StreamingCont986364934.h" #include "mscorlib_System_Type2779229935MethodDeclarations.h" #include "mscorlib_System_Runtime_Serialization_Serializatio2995724695MethodDeclarations.h" #include "mscorlib_System_RuntimeTypeHandle1864875887.h" #include "mscorlib_Mono_Security_X509_X509Certificate273828612.h" #include "mscorlib_Mono_Security_X509_X509Certificate273828612MethodDeclarations.h" #include "mscorlib_System_Byte2778693821MethodDeclarations.h" #include "mscorlib_System_DateTime339033936MethodDeclarations.h" #include "mscorlib_System_DateTime339033936.h" #include "mscorlib_System_Environment63604104MethodDeclarations.h" #include "mscorlib_Mono_Security_X509_X501591126673MethodDeclarations.h" #include "mscorlib_Mono_Security_ASN11254135646.h" #include "mscorlib_Mono_Security_X509_PKCS122950126079MethodDeclarations.h" #include "mscorlib_Mono_Security_X509_X509CertificateCollect3336811650MethodDeclarations.h" #include "mscorlib_Mono_Security_X509_PKCS122950126079.h" #include "mscorlib_Mono_Security_X509_X509CertificateCollect3336811650.h" #include "mscorlib_System_Collections_CollectionBase851261505MethodDeclarations.h" #include "mscorlib_System_Collections_CollectionBase851261505.h" #include "mscorlib_System_Security_Cryptography_X509Certifica117935804MethodDeclarations.h" #include "mscorlib_System_Security_Permissions_SecurityPermi3919018054.h" #include "mscorlib_System_Security_Permissions_SecurityPermi3919018054MethodDeclarations.h" #include "mscorlib_System_Security_Permissions_SecurityPermi1437051986.h" #include "mscorlib_System_Security_CodeAccessPermission1537136389MethodDeclarations.h" #include "mscorlib_System_String968488902MethodDeclarations.h" #include "mscorlib_System_Security_SecurityElement2475331585.h" #include "mscorlib_System_Security_SecurityElement2475331585MethodDeclarations.h" #include "mscorlib_System_Enum2778772662.h" #include "mscorlib_System_Security_Permissions_SecurityPermi1437051986MethodDeclarations.h" #include "mscorlib_System_Security_Permissions_StrongNamePub2864573480.h" #include "mscorlib_System_Security_Permissions_StrongNamePub2864573480MethodDeclarations.h" #include "mscorlib_System_Security_PermissionSet2781735032.h" #include "mscorlib_System_Security_PermissionSet2781735032MethodDeclarations.h" #include "mscorlib_System_Security_Policy_ApplicationTrust1139375075.h" #include "mscorlib_System_Security_Policy_ApplicationTrust1139375075MethodDeclarations.h" #include "mscorlib_System_Collections_Generic_List_1_gen4238793654MethodDeclarations.h" #include "mscorlib_System_Collections_Generic_List_1_gen4238793654.h" #include "mscorlib_System_Security_Policy_Evidence2439192402.h" #include "mscorlib_System_Security_Policy_Evidence2439192402MethodDeclarations.h" #include "mscorlib_System_Collections_ArrayList2121638921.h" #include "mscorlib_System_Collections_ArrayList2121638921MethodDeclarations.h" #include "mscorlib_System_Security_Policy_Evidence_EvidenceE1490308507MethodDeclarations.h" #include "mscorlib_System_Security_Policy_Evidence_EvidenceE1490308507.h" #include "mscorlib_System_Security_Policy_Hash1993822729.h" #include "mscorlib_System_Security_Policy_Hash1993822729MethodDeclarations.h" #include "mscorlib_System_Security_SecurityException128786772MethodDeclarations.h" #include "mscorlib_System_IO_FileStream1527309539MethodDeclarations.h" #include "mscorlib_System_IO_FileStream1527309539.h" #include "mscorlib_System_Reflection_Assembly1882292308.h" #include "mscorlib_System_Security_SecurityException128786772.h" #include "mscorlib_System_Reflection_Assembly1882292308MethodDeclarations.h" #include "mscorlib_System_IO_FileMode1356058118.h" #include "mscorlib_System_IO_FileAccess995838663.h" #include "mscorlib_System_Int642847414882.h" #include "mscorlib_System_Security_Policy_StrongName3441834685.h" #include "mscorlib_System_Security_Policy_StrongName3441834685MethodDeclarations.h" #include "mscorlib_System_Version497901645.h" #include "mscorlib_System_Version497901645MethodDeclarations.h" #include "mscorlib_System_Reflection_MemberInfo2843033814MethodDeclarations.h" #include "mscorlib_System_Reflection_MemberInfo2843033814.h" #include "mscorlib_System_Security_Principal_PrincipalPolicy1008367365.h" #include "mscorlib_System_Security_Principal_PrincipalPolicy1008367365MethodDeclarations.h" #include "mscorlib_System_Security_Principal_WindowsAccountT1400432841.h" #include "mscorlib_System_Security_Principal_WindowsAccountT1400432841MethodDeclarations.h" #include "mscorlib_System_Security_Principal_WindowsIdentity4008973414.h" #include "mscorlib_System_Security_Principal_WindowsIdentity4008973414MethodDeclarations.h" #include "mscorlib_System_Runtime_Serialization_Serialization731558744MethodDeclarations.h" #include "mscorlib_System_Runtime_Serialization_Serialization731558744.h" #include "mscorlib_System_Security_RuntimeDeclSecurityEntry2302558261.h" #include "mscorlib_System_Security_RuntimeDeclSecurityEntry2302558261MethodDeclarations.h" #include "mscorlib_System_Security_RuntimeSecurityFrame3890879930.h" #include "mscorlib_System_Security_RuntimeSecurityFrame3890879930MethodDeclarations.h" #include "mscorlib_System_Security_SecureString4183656205.h" #include "mscorlib_System_Security_SecureString4183656205MethodDeclarations.h" #include "mscorlib_System_Security_SecurityContext794732212.h" #include "mscorlib_System_Security_SecurityContext794732212MethodDeclarations.h" #include "mscorlib_System_Threading_CompressedStack2946347082MethodDeclarations.h" #include "mscorlib_System_Threading_CompressedStack2946347082.h" #include "mscorlib_System_Threading_Thread1674723085MethodDeclarations.h" #include "mscorlib_System_Threading_ExecutionContext3375439994MethodDeclarations.h" #include "mscorlib_System_Threading_Thread1674723085.h" #include "mscorlib_System_Threading_ExecutionContext3375439994.h" #include "mscorlib_System_Security_SecurityCriticalAttribute2046183106.h" #include "mscorlib_System_Security_SecurityCriticalAttribute2046183106MethodDeclarations.h" #include "mscorlib_System_Attribute498693649MethodDeclarations.h" #include "mscorlib_System_Char2778706699.h" #include "mscorlib_U3CPrivateImplementationDetailsU3E_U24Arra214874486.h" #include "mscorlib_System_Security_SecurityElement_SecurityA3835542300MethodDeclarations.h" #include "mscorlib_System_Security_SecurityElement_SecurityA3835542300.h" #include "mscorlib_System_SystemException3155420757MethodDeclarations.h" #include "mscorlib_System_Exception1967233988MethodDeclarations.h" #include "mscorlib_System_Runtime_Serialization_Serializatio1298671611MethodDeclarations.h" #include "mscorlib_System_Runtime_Serialization_Serializatio1298671611.h" #include "mscorlib_System_Reflection_MethodInfo3461221277.h" #include "mscorlib_System_Reflection_MethodInfo3461221277MethodDeclarations.h" #include "mscorlib_System_Security_SecurityFrame3486268018.h" #include "mscorlib_System_Security_SecurityFrame3486268018MethodDeclarations.h" #include "mscorlib_System_AppDomain1551247802.h" #include "mscorlib_System_Security_SecurityManager678461618MethodDeclarations.h" #include "mscorlib_System_Security_SecurityManager678461618.h" #include "mscorlib_System_Collections_Hashtable3875263730MethodDeclarations.h" #include "mscorlib_System_Runtime_InteropServices_Marshal3977632096MethodDeclarations.h" #include "mscorlib_System_Collections_Hashtable3875263730.h" #include "mscorlib_System_Text_Encoding180559927MethodDeclarations.h" #include "mscorlib_System_Text_Encoding180559927.h" #include "mscorlib_System_Security_SecuritySafeCriticalAttri2130178741.h" #include "mscorlib_System_Security_SecuritySafeCriticalAttri2130178741MethodDeclarations.h" #include "mscorlib_System_Security_SuppressUnmanagedCodeSecu1986929219.h" #include "mscorlib_System_Security_SuppressUnmanagedCodeSecu1986929219MethodDeclarations.h" #include "mscorlib_System_Security_UnverifiableCodeAttribute556957784.h" #include "mscorlib_System_Security_UnverifiableCodeAttribute556957784MethodDeclarations.h" #include "mscorlib_System_SerializableAttribute2274565074.h" #include "mscorlib_System_SerializableAttribute2274565074MethodDeclarations.h" #include "mscorlib_System_Single958209021.h" #include "mscorlib_System_Single958209021MethodDeclarations.h" #include "mscorlib_System_Decimal1688557254.h" #include "mscorlib_System_Double534516614.h" #include "mscorlib_System_Int162847414729.h" #include "mscorlib_System_SByte2855346064.h" #include "mscorlib_System_Double534516614MethodDeclarations.h" #include "mscorlib_System_OverflowException3216083426MethodDeclarations.h" #include "mscorlib_System_Globalization_NumberStyles3988678145.h" #include "mscorlib_System_OverflowException3216083426.h" #include "mscorlib_System_NumberFormatter719190774MethodDeclarations.h" #include "mscorlib_System_TypeCode2164429820.h" #include "mscorlib_U3CPrivateImplementationDetailsU3E_U24Arra214874614.h" #include "mscorlib_System_CharEnumerator534711151MethodDeclarations.h" #include "mscorlib_System_CharEnumerator534711151.h" #include "mscorlib_System_IndexOutOfRangeException3760259642MethodDeclarations.h" #include "mscorlib_System_IndexOutOfRangeException3760259642.h" #include "mscorlib_System_StringSplitOptions3963075722.h" #include "mscorlib_System_Collections_Generic_List_1_gen1765447871MethodDeclarations.h" #include "mscorlib_System_Collections_Generic_List_1_gen1765447871.h" #include "mscorlib_System_Globalization_CultureInfo3603717042MethodDeclarations.h" #include "mscorlib_System_Globalization_CultureInfo3603717042.h" #include "mscorlib_System_Globalization_CompareInfo4023832425.h" #include "mscorlib_System_Globalization_CompareInfo4023832425MethodDeclarations.h" #include "mscorlib_System_Globalization_CompareOptions1115053679.h" #include "mscorlib_System_Char2778706699MethodDeclarations.h" #include "mscorlib_System_StringComparison1653470895.h" #include "mscorlib_System_Globalization_TextInfo1829318641.h" #include "mscorlib_System_Globalization_TextInfo1829318641MethodDeclarations.h" #include "mscorlib_System_FormatException2404802957MethodDeclarations.h" #include "mscorlib_System_FormatException2404802957.h" #include "mscorlib_System_NullReferenceException3216235232.h" #include "mscorlib_System_AccessViolationException3198007523.h" #include "mscorlib_System_StringComparer4058118931.h" #include "mscorlib_System_StringComparer4058118931MethodDeclarations.h" #include "mscorlib_System_CultureAwareComparer2876040530MethodDeclarations.h" #include "mscorlib_System_OrdinalComparer1058464051MethodDeclarations.h" #include "mscorlib_System_CultureAwareComparer2876040530.h" #include "mscorlib_System_OrdinalComparer1058464051.h" #include "mscorlib_System_StringComparison1653470895MethodDeclarations.h" #include "mscorlib_System_StringSplitOptions3963075722MethodDeclarations.h" #include "mscorlib_System_SystemException3155420757.h" #include "mscorlib_System_Text_ASCIIEncoding15734376.h" #include "mscorlib_System_Text_ASCIIEncoding15734376MethodDeclarations.h" #include "mscorlib_System_Text_EncoderFallbackBuffer2042758306.h" #include "mscorlib_System_Text_EncoderFallback990837442.h" #include "mscorlib_System_Text_EncoderFallback990837442MethodDeclarations.h" #include "mscorlib_System_Text_EncoderFallbackBuffer2042758306MethodDeclarations.h" #include "mscorlib_System_Text_DecoderFallbackBuffer1215858122.h" #include "mscorlib_System_Text_DecoderFallback4033313258.h" #include "mscorlib_System_Text_DecoderFallback4033313258MethodDeclarations.h" #include "mscorlib_System_Text_DecoderFallbackBuffer1215858122MethodDeclarations.h" #include "mscorlib_System_Text_Decoder1611780840.h" #include "mscorlib_System_Text_Decoder1611780840MethodDeclarations.h" #include "mscorlib_System_Text_DecoderReplacementFallback1303633684MethodDeclarations.h" #include "mscorlib_System_Text_DecoderReplacementFallback1303633684.h" #include "mscorlib_System_Text_DecoderExceptionFallback2347889489.h" #include "mscorlib_System_Text_DecoderExceptionFallback2347889489MethodDeclarations.h" #include "mscorlib_System_Text_DecoderExceptionFallbackBuffe2938508785MethodDeclarations.h" #include "mscorlib_System_Text_DecoderExceptionFallbackBuffe2938508785.h" #include "mscorlib_System_Text_DecoderFallbackException3951869581MethodDeclarations.h" #include "mscorlib_System_Text_DecoderFallbackException3951869581.h" #include "mscorlib_System_Text_DecoderReplacementFallbackBuf4293583732MethodDeclarations.h" #include "mscorlib_System_Text_DecoderReplacementFallbackBuf4293583732.h" #include "mscorlib_System_Text_EncoderExceptionFallback598861177.h" #include "mscorlib_System_Text_EncoderExceptionFallback598861177MethodDeclarations.h" #include "mscorlib_System_Text_EncoderExceptionFallbackBuffer597805593MethodDeclarations.h" #include "mscorlib_System_Text_EncoderExceptionFallbackBuffer597805593.h" #include "mscorlib_System_Text_EncoderFallbackException2202841269MethodDeclarations.h" #include "mscorlib_System_Text_EncoderFallbackException2202841269.h" #include "mscorlib_System_Text_EncoderReplacementFallback4114605884MethodDeclarations.h" #include "mscorlib_System_Text_EncoderReplacementFallback4114605884.h" #include "mscorlib_System_Text_EncoderReplacementFallbackBuf1145712028MethodDeclarations.h" #include "mscorlib_System_Text_EncoderReplacementFallbackBuf1145712028.h" #include "mscorlib_System_InvalidOperationException2420574324MethodDeclarations.h" #include "mscorlib_System_InvalidOperationException2420574324.h" #include "mscorlib_System_Text_Encoding_ForwardingDecoder1189038695MethodDeclarations.h" #include "mscorlib_System_Text_Encoding_ForwardingDecoder1189038695.h" #include "mscorlib_System_MissingMethodException3839582685.h" #include "mscorlib_System_NotImplementedException1091014741.h" #include "mscorlib_System_Reflection_BindingFlags2090192240.h" #include "mscorlib_System_Reflection_Binder4180926488.h" #include "mscorlib_System_Reflection_ParameterModifier500203470.h" #include "mscorlib_System_Int322847414787MethodDeclarations.h" #include "mscorlib_System_Activator690001546MethodDeclarations.h" #include "mscorlib_System_NotSupportedException1374155497MethodDeclarations.h" #include "mscorlib_System_NotSupportedException1374155497.h" #include "mscorlib_System_Text_UnicodeEncoding909387252MethodDeclarations.h" #include "mscorlib_System_Text_UnicodeEncoding909387252.h" #include "mscorlib_System_Text_Latin1Encoding1597279492MethodDeclarations.h" #include "mscorlib_System_Text_Latin1Encoding1597279492.h" #include "mscorlib_System_Text_UTF7Encoding445806535MethodDeclarations.h" #include "mscorlib_System_Text_UTF7Encoding445806535.h" #include "mscorlib_System_Text_UTF8Encoding2933319368MethodDeclarations.h" #include "mscorlib_System_Text_UTF8Encoding2933319368.h" #include "mscorlib_System_Text_UTF32Encoding420914269MethodDeclarations.h" #include "mscorlib_System_Text_UTF32Encoding420914269.h" #include "mscorlib_System_Int642847414882MethodDeclarations.h" #include "mscorlib_System_Text_UnicodeEncoding_UnicodeDecode3369145031MethodDeclarations.h" #include "mscorlib_System_Text_UnicodeEncoding_UnicodeDecode3369145031.h" #include "mscorlib_System_Text_UTF32Encoding_UTF32Decoder3353387838MethodDeclarations.h" #include "mscorlib_System_Text_UTF32Encoding_UTF32Decoder3353387838.h" #include "mscorlib_U3CPrivateImplementationDetailsU3E_U24Arr2366141826.h" #include "mscorlib_System_Text_UTF7Encoding_UTF7Decoder860338836MethodDeclarations.h" #include "mscorlib_System_Text_UTF7Encoding_UTF7Decoder860338836.h" #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Security.Cryptography.KeyedHashAlgorithm::.ctor() extern "C" void KeyedHashAlgorithm__ctor_m3887748574 (KeyedHashAlgorithm_t3076212156 * __this, const MethodInfo* method) { { HashAlgorithm__ctor_m1204858244(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.KeyedHashAlgorithm::Finalize() extern "C" void KeyedHashAlgorithm_Finalize_m1932170692 (KeyedHashAlgorithm_t3076212156 * __this, const MethodInfo* method) { Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); IL_0000: try { // begin try (depth: 1) VirtActionInvoker1< bool >::Invoke(14 /* System.Void System.Security.Cryptography.KeyedHashAlgorithm::Dispose(System.Boolean) */, __this, (bool)0); IL2CPP_LEAVE(0x13, FINALLY_000c); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_000c; } FINALLY_000c: { // begin finally (depth: 1) Object_Finalize_m3027285644(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(12) } // end finally (depth: 1) IL2CPP_CLEANUP(12) { IL2CPP_JUMP_TBL(0x13, IL_0013) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0013: { return; } } // System.Byte[] System.Security.Cryptography.KeyedHashAlgorithm::get_Key() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t KeyedHashAlgorithm_get_Key_m2526120156_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* KeyedHashAlgorithm_get_Key_m2526120156 (KeyedHashAlgorithm_t3076212156 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (KeyedHashAlgorithm_get_Key_m2526120156_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = __this->get_KeyValue_4(); NullCheck((Il2CppArray *)(Il2CppArray *)L_0); Il2CppObject * L_1 = VirtFuncInvoker0< Il2CppObject * >::Invoke(5 /* System.Object System.Array::Clone() */, (Il2CppArray *)(Il2CppArray *)L_0); return ((ByteU5BU5D_t58506160*)Castclass(L_1, ByteU5BU5D_t58506160_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.KeyedHashAlgorithm::set_Key(System.Byte[]) extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3359550775; extern const uint32_t KeyedHashAlgorithm_set_Key_m1327774667_MetadataUsageId; extern "C" void KeyedHashAlgorithm_set_Key_m1327774667 (KeyedHashAlgorithm_t3076212156 * __this, ByteU5BU5D_t58506160* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (KeyedHashAlgorithm_set_Key_m1327774667_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ((HashAlgorithm_t24372250 *)__this)->get_State_2(); if (!L_0) { goto IL_001b; } } { String_t* L_1 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral3359550775, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_2 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001b: { KeyedHashAlgorithm_ZeroizeKey_m2894944313(__this, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_3 = ___value; NullCheck((Il2CppArray *)(Il2CppArray *)L_3); Il2CppObject * L_4 = VirtFuncInvoker0< Il2CppObject * >::Invoke(5 /* System.Object System.Array::Clone() */, (Il2CppArray *)(Il2CppArray *)L_3); __this->set_KeyValue_4(((ByteU5BU5D_t58506160*)Castclass(L_4, ByteU5BU5D_t58506160_il2cpp_TypeInfo_var))); return; } } // System.Void System.Security.Cryptography.KeyedHashAlgorithm::Dispose(System.Boolean) extern "C" void KeyedHashAlgorithm_Dispose_m2870004946 (KeyedHashAlgorithm_t3076212156 * __this, bool ___disposing, const MethodInfo* method) { { KeyedHashAlgorithm_ZeroizeKey_m2894944313(__this, /*hidden argument*/NULL); bool L_0 = ___disposing; HashAlgorithm_Dispose_m666835064(__this, L_0, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.KeyedHashAlgorithm::ZeroizeKey() extern "C" void KeyedHashAlgorithm_ZeroizeKey_m2894944313 (KeyedHashAlgorithm_t3076212156 * __this, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = __this->get_KeyValue_4(); if (!L_0) { goto IL_001f; } } { ByteU5BU5D_t58506160* L_1 = __this->get_KeyValue_4(); ByteU5BU5D_t58506160* L_2 = __this->get_KeyValue_4(); NullCheck(L_2); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_1, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_2)->max_length)))), /*hidden argument*/NULL); } IL_001f: { return; } } // System.Void System.Security.Cryptography.KeySizes::.ctor(System.Int32,System.Int32,System.Int32) extern "C" void KeySizes__ctor_m428291391 (KeySizes_t2111859404 * __this, int32_t ___minSize, int32_t ___maxSize, int32_t ___skipSize, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); int32_t L_0 = ___maxSize; __this->set__maxSize_0(L_0); int32_t L_1 = ___minSize; __this->set__minSize_1(L_1); int32_t L_2 = ___skipSize; __this->set__skipSize_2(L_2); return; } } // System.Int32 System.Security.Cryptography.KeySizes::get_MaxSize() extern "C" int32_t KeySizes_get_MaxSize_m213719012 (KeySizes_t2111859404 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get__maxSize_0(); return L_0; } } // System.Int32 System.Security.Cryptography.KeySizes::get_MinSize() extern "C" int32_t KeySizes_get_MinSize_m986197586 (KeySizes_t2111859404 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get__minSize_1(); return L_0; } } // System.Int32 System.Security.Cryptography.KeySizes::get_SkipSize() extern "C" int32_t KeySizes_get_SkipSize_m3502127683 (KeySizes_t2111859404 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get__skipSize_2(); return L_0; } } // System.Boolean System.Security.Cryptography.KeySizes::IsLegal(System.Int32) extern "C" bool KeySizes_IsLegal_m1623778158 (KeySizes_t2111859404 * __this, int32_t ___keySize, const MethodInfo* method) { int32_t V_0 = 0; bool V_1 = false; int32_t G_B3_0 = 0; int32_t G_B8_0 = 0; { int32_t L_0 = ___keySize; int32_t L_1 = KeySizes_get_MinSize_m986197586(__this, /*hidden argument*/NULL); V_0 = ((int32_t)((int32_t)L_0-(int32_t)L_1)); int32_t L_2 = V_0; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_001e; } } { int32_t L_3 = ___keySize; int32_t L_4 = KeySizes_get_MaxSize_m213719012(__this, /*hidden argument*/NULL); G_B3_0 = ((((int32_t)((((int32_t)L_3) > ((int32_t)L_4))? 1 : 0)) == ((int32_t)0))? 1 : 0); goto IL_001f; } IL_001e: { G_B3_0 = 0; } IL_001f: { V_1 = (bool)G_B3_0; int32_t L_5 = KeySizes_get_SkipSize_m3502127683(__this, /*hidden argument*/NULL); if (L_5) { goto IL_0031; } } { bool L_6 = V_1; G_B8_0 = ((int32_t)(L_6)); goto IL_0045; } IL_0031: { bool L_7 = V_1; if (!L_7) { goto IL_0044; } } { int32_t L_8 = V_0; int32_t L_9 = KeySizes_get_SkipSize_m3502127683(__this, /*hidden argument*/NULL); G_B8_0 = ((((int32_t)((int32_t)((int32_t)L_8%(int32_t)L_9))) == ((int32_t)0))? 1 : 0); goto IL_0045; } IL_0044: { G_B8_0 = 0; } IL_0045: { return (bool)G_B8_0; } } // System.Boolean System.Security.Cryptography.KeySizes::IsLegalKeySize(System.Security.Cryptography.KeySizes[],System.Int32) extern "C" bool KeySizes_IsLegalKeySize_m620693618 (Il2CppObject * __this /* static, unused */, KeySizesU5BU5D_t1304982661* ___legalKeys, int32_t ___size, const MethodInfo* method) { KeySizes_t2111859404 * V_0 = NULL; KeySizesU5BU5D_t1304982661* V_1 = NULL; int32_t V_2 = 0; { KeySizesU5BU5D_t1304982661* L_0 = ___legalKeys; V_1 = L_0; V_2 = 0; goto IL_001f; } IL_0009: { KeySizesU5BU5D_t1304982661* L_1 = V_1; int32_t L_2 = V_2; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, L_2); int32_t L_3 = L_2; V_0 = ((L_1)->GetAt(static_cast<il2cpp_array_size_t>(L_3))); KeySizes_t2111859404 * L_4 = V_0; int32_t L_5 = ___size; NullCheck(L_4); bool L_6 = KeySizes_IsLegal_m1623778158(L_4, L_5, /*hidden argument*/NULL); if (!L_6) { goto IL_001b; } } { return (bool)1; } IL_001b: { int32_t L_7 = V_2; V_2 = ((int32_t)((int32_t)L_7+(int32_t)1)); } IL_001f: { int32_t L_8 = V_2; KeySizesU5BU5D_t1304982661* L_9 = V_1; NullCheck(L_9); if ((((int32_t)L_8) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))))) { goto IL_0009; } } { return (bool)0; } } // System.Void System.Security.Cryptography.MACTripleDES::.ctor() extern Il2CppCodeGenString* _stringLiteral1617450676; extern const uint32_t MACTripleDES__ctor_m1156967612_MetadataUsageId; extern "C" void MACTripleDES__ctor_m1156967612 (MACTripleDES_t3405144990 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MACTripleDES__ctor_m1156967612_MetadataUsageId); s_Il2CppMethodIntialized = true; } { KeyedHashAlgorithm__ctor_m3887748574(__this, /*hidden argument*/NULL); MACTripleDES_Setup_m1287775502(__this, _stringLiteral1617450676, (ByteU5BU5D_t58506160*)(ByteU5BU5D_t58506160*)NULL, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.MACTripleDES::Setup(System.String,System.Byte[]) extern TypeInfo* MACAlgorithm_t1910042165_il2cpp_TypeInfo_var; extern const uint32_t MACTripleDES_Setup_m1287775502_MetadataUsageId; extern "C" void MACTripleDES_Setup_m1287775502 (MACTripleDES_t3405144990 * __this, String_t* ___strTripleDES, ByteU5BU5D_t58506160* ___rgbKey, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MACTripleDES_Setup_m1287775502_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___strTripleDES; TripleDES_t3174934509 * L_1 = TripleDES_Create_m354804905(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); __this->set_tdes_5(L_1); TripleDES_t3174934509 * L_2 = __this->get_tdes_5(); NullCheck(L_2); VirtActionInvoker1< int32_t >::Invoke(19 /* System.Void System.Security.Cryptography.SymmetricAlgorithm::set_Padding(System.Security.Cryptography.PaddingMode) */, L_2, 3); ByteU5BU5D_t58506160* L_3 = ___rgbKey; if (!L_3) { goto IL_002a; } } { TripleDES_t3174934509 * L_4 = __this->get_tdes_5(); ByteU5BU5D_t58506160* L_5 = ___rgbKey; NullCheck(L_4); VirtActionInvoker1< ByteU5BU5D_t58506160* >::Invoke(12 /* System.Void System.Security.Cryptography.TripleDES::set_Key(System.Byte[]) */, L_4, L_5); } IL_002a: { TripleDES_t3174934509 * L_6 = __this->get_tdes_5(); NullCheck(L_6); int32_t L_7 = VirtFuncInvoker0< int32_t >::Invoke(6 /* System.Int32 System.Security.Cryptography.SymmetricAlgorithm::get_BlockSize() */, L_6); ((HashAlgorithm_t24372250 *)__this)->set_HashSizeValue_1(L_7); TripleDES_t3174934509 * L_8 = __this->get_tdes_5(); NullCheck(L_8); ByteU5BU5D_t58506160* L_9 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(11 /* System.Byte[] System.Security.Cryptography.TripleDES::get_Key() */, L_8); VirtActionInvoker1< ByteU5BU5D_t58506160* >::Invoke(16 /* System.Void System.Security.Cryptography.KeyedHashAlgorithm::set_Key(System.Byte[]) */, __this, L_9); TripleDES_t3174934509 * L_10 = __this->get_tdes_5(); MACAlgorithm_t1910042165 * L_11 = (MACAlgorithm_t1910042165 *)il2cpp_codegen_object_new(MACAlgorithm_t1910042165_il2cpp_TypeInfo_var); MACAlgorithm__ctor_m1891225170(L_11, L_10, /*hidden argument*/NULL); __this->set_mac_6(L_11); __this->set_m_disposed_7((bool)0); return; } } // System.Void System.Security.Cryptography.MACTripleDES::Finalize() extern "C" void MACTripleDES_Finalize_m212085286 (MACTripleDES_t3405144990 * __this, const MethodInfo* method) { Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); IL_0000: try { // begin try (depth: 1) VirtActionInvoker1< bool >::Invoke(14 /* System.Void System.Security.Cryptography.MACTripleDES::Dispose(System.Boolean) */, __this, (bool)0); IL2CPP_LEAVE(0x13, FINALLY_000c); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_000c; } FINALLY_000c: { // begin finally (depth: 1) KeyedHashAlgorithm_Finalize_m1932170692(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(12) } // end finally (depth: 1) IL2CPP_CLEANUP(12) { IL2CPP_JUMP_TBL(0x13, IL_0013) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0013: { return; } } // System.Void System.Security.Cryptography.MACTripleDES::Dispose(System.Boolean) extern "C" void MACTripleDES_Dispose_m2913920944 (MACTripleDES_t3405144990 * __this, bool ___disposing, const MethodInfo* method) { { bool L_0 = __this->get_m_disposed_7(); if (L_0) { goto IL_0062; } } { ByteU5BU5D_t58506160* L_1 = ((KeyedHashAlgorithm_t3076212156 *)__this)->get_KeyValue_4(); if (!L_1) { goto IL_002a; } } { ByteU5BU5D_t58506160* L_2 = ((KeyedHashAlgorithm_t3076212156 *)__this)->get_KeyValue_4(); ByteU5BU5D_t58506160* L_3 = ((KeyedHashAlgorithm_t3076212156 *)__this)->get_KeyValue_4(); NullCheck(L_3); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_2, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_3)->max_length)))), /*hidden argument*/NULL); } IL_002a: { TripleDES_t3174934509 * L_4 = __this->get_tdes_5(); if (!L_4) { goto IL_0040; } } { TripleDES_t3174934509 * L_5 = __this->get_tdes_5(); NullCheck(L_5); SymmetricAlgorithm_Clear_m421176084(L_5, /*hidden argument*/NULL); } IL_0040: { bool L_6 = ___disposing; if (!L_6) { goto IL_0054; } } { ((KeyedHashAlgorithm_t3076212156 *)__this)->set_KeyValue_4((ByteU5BU5D_t58506160*)NULL); __this->set_tdes_5((TripleDES_t3174934509 *)NULL); } IL_0054: { bool L_7 = ___disposing; KeyedHashAlgorithm_Dispose_m2870004946(__this, L_7, /*hidden argument*/NULL); __this->set_m_disposed_7((bool)1); } IL_0062: { return; } } // System.Void System.Security.Cryptography.MACTripleDES::Initialize() extern TypeInfo* ObjectDisposedException_t973246880_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1847661157; extern const uint32_t MACTripleDES_Initialize_m3105423192_MetadataUsageId; extern "C" void MACTripleDES_Initialize_m3105423192 (MACTripleDES_t3405144990 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MACTripleDES_Initialize_m3105423192_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = __this->get_m_disposed_7(); if (!L_0) { goto IL_0016; } } { ObjectDisposedException_t973246880 * L_1 = (ObjectDisposedException_t973246880 *)il2cpp_codegen_object_new(ObjectDisposedException_t973246880_il2cpp_TypeInfo_var); ObjectDisposedException__ctor_m1180707260(L_1, _stringLiteral1847661157, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0016: { ((HashAlgorithm_t24372250 *)__this)->set_State_2(0); MACAlgorithm_t1910042165 * L_2 = __this->get_mac_6(); ByteU5BU5D_t58506160* L_3 = ((KeyedHashAlgorithm_t3076212156 *)__this)->get_KeyValue_4(); NullCheck(L_2); MACAlgorithm_Initialize_m3361709802(L_2, L_3, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.MACTripleDES::HashCore(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ObjectDisposedException_t973246880_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1847661157; extern const uint32_t MACTripleDES_HashCore_m670642740_MetadataUsageId; extern "C" void MACTripleDES_HashCore_m670642740 (MACTripleDES_t3405144990 * __this, ByteU5BU5D_t58506160* ___rgbData, int32_t ___ibStart, int32_t ___cbSize, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MACTripleDES_HashCore_m670642740_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = __this->get_m_disposed_7(); if (!L_0) { goto IL_0016; } } { ObjectDisposedException_t973246880 * L_1 = (ObjectDisposedException_t973246880 *)il2cpp_codegen_object_new(ObjectDisposedException_t973246880_il2cpp_TypeInfo_var); ObjectDisposedException__ctor_m1180707260(L_1, _stringLiteral1847661157, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0016: { int32_t L_2 = ((HashAlgorithm_t24372250 *)__this)->get_State_2(); if (L_2) { goto IL_002e; } } { VirtActionInvoker0::Invoke(13 /* System.Void System.Security.Cryptography.MACTripleDES::Initialize() */, __this); ((HashAlgorithm_t24372250 *)__this)->set_State_2(1); } IL_002e: { MACAlgorithm_t1910042165 * L_3 = __this->get_mac_6(); ByteU5BU5D_t58506160* L_4 = ___rgbData; int32_t L_5 = ___ibStart; int32_t L_6 = ___cbSize; NullCheck(L_3); MACAlgorithm_Core_m3581743643(L_3, L_4, L_5, L_6, /*hidden argument*/NULL); return; } } // System.Byte[] System.Security.Cryptography.MACTripleDES::HashFinal() extern TypeInfo* ObjectDisposedException_t973246880_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1847661157; extern const uint32_t MACTripleDES_HashFinal_m3628572044_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* MACTripleDES_HashFinal_m3628572044 (MACTripleDES_t3405144990 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MACTripleDES_HashFinal_m3628572044_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = __this->get_m_disposed_7(); if (!L_0) { goto IL_0016; } } { ObjectDisposedException_t973246880 * L_1 = (ObjectDisposedException_t973246880 *)il2cpp_codegen_object_new(ObjectDisposedException_t973246880_il2cpp_TypeInfo_var); ObjectDisposedException__ctor_m1180707260(L_1, _stringLiteral1847661157, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0016: { ((HashAlgorithm_t24372250 *)__this)->set_State_2(0); MACAlgorithm_t1910042165 * L_2 = __this->get_mac_6(); NullCheck(L_2); ByteU5BU5D_t58506160* L_3 = MACAlgorithm_Final_m1570388531(L_2, /*hidden argument*/NULL); return L_3; } } // System.Void System.Security.Cryptography.MD5::.ctor() extern "C" void MD5__ctor_m319382023 (MD5_t1557559991 * __this, const MethodInfo* method) { { HashAlgorithm__ctor_m1204858244(__this, /*hidden argument*/NULL); ((HashAlgorithm_t24372250 *)__this)->set_HashSizeValue_1(((int32_t)128)); return; } } // System.Security.Cryptography.MD5 System.Security.Cryptography.MD5::Create() extern Il2CppCodeGenString* _stringLiteral909325195; extern const uint32_t MD5_Create_m3551683961_MetadataUsageId; extern "C" MD5_t1557559991 * MD5_Create_m3551683961 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MD5_Create_m3551683961_MetadataUsageId); s_Il2CppMethodIntialized = true; } { MD5_t1557559991 * L_0 = MD5_Create_m1448060457(NULL /*static, unused*/, _stringLiteral909325195, /*hidden argument*/NULL); return L_0; } } // System.Security.Cryptography.MD5 System.Security.Cryptography.MD5::Create(System.String) extern TypeInfo* CryptoConfig_t2102571196_il2cpp_TypeInfo_var; extern TypeInfo* MD5_t1557559991_il2cpp_TypeInfo_var; extern const uint32_t MD5_Create_m1448060457_MetadataUsageId; extern "C" MD5_t1557559991 * MD5_Create_m1448060457 (Il2CppObject * __this /* static, unused */, String_t* ___algName, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MD5_Create_m1448060457_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___algName; IL2CPP_RUNTIME_CLASS_INIT(CryptoConfig_t2102571196_il2cpp_TypeInfo_var); Il2CppObject * L_1 = CryptoConfig_CreateFromName_m3477093824(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); return ((MD5_t1557559991 *)CastclassClass(L_1, MD5_t1557559991_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.MD5CryptoServiceProvider::.ctor() extern TypeInfo* UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t MD5CryptoServiceProvider__ctor_m2509400698_MetadataUsageId; extern "C" void MD5CryptoServiceProvider__ctor_m2509400698 (MD5CryptoServiceProvider_t2380770080 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MD5CryptoServiceProvider__ctor_m2509400698_MetadataUsageId); s_Il2CppMethodIntialized = true; } { MD5__ctor_m319382023(__this, /*hidden argument*/NULL); __this->set__H_4(((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)4))); __this->set_buff_5(((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)16)))); __this->set__ProcessingBuffer_7(((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)64)))); MD5CryptoServiceProvider_Initialize_m4227557466(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.MD5CryptoServiceProvider::.cctor() extern TypeInfo* UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var; extern TypeInfo* MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D43_33_FieldInfo_var; extern const uint32_t MD5CryptoServiceProvider__cctor_m4294881395_MetadataUsageId; extern "C" void MD5CryptoServiceProvider__cctor_m4294881395 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MD5CryptoServiceProvider__cctor_m4294881395_MetadataUsageId); s_Il2CppMethodIntialized = true; } { UInt32U5BU5D_t2133601851* L_0 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)64))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_0, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D43_33_FieldInfo_var), /*hidden argument*/NULL); ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->set_K_9(L_0); return; } } // System.Void System.Security.Cryptography.MD5CryptoServiceProvider::Finalize() extern "C" void MD5CryptoServiceProvider_Finalize_m3752913832 (MD5CryptoServiceProvider_t2380770080 * __this, const MethodInfo* method) { Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); IL_0000: try { // begin try (depth: 1) MD5CryptoServiceProvider_Dispose_m365177198(__this, (bool)0, /*hidden argument*/NULL); IL2CPP_LEAVE(0x13, FINALLY_000c); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_000c; } FINALLY_000c: { // begin finally (depth: 1) Object_Finalize_m3027285644(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(12) } // end finally (depth: 1) IL2CPP_CLEANUP(12) { IL2CPP_JUMP_TBL(0x13, IL_0013) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0013: { return; } } // System.Void System.Security.Cryptography.MD5CryptoServiceProvider::Dispose(System.Boolean) extern "C" void MD5CryptoServiceProvider_Dispose_m365177198 (MD5CryptoServiceProvider_t2380770080 * __this, bool ___disposing, const MethodInfo* method) { { bool L_0 = ___disposing; if (!L_0) { goto IL_0078; } } { ByteU5BU5D_t58506160* L_1 = __this->get__ProcessingBuffer_7(); if (!L_1) { goto IL_002c; } } { ByteU5BU5D_t58506160* L_2 = __this->get__ProcessingBuffer_7(); ByteU5BU5D_t58506160* L_3 = __this->get__ProcessingBuffer_7(); NullCheck(L_3); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_2, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_3)->max_length)))), /*hidden argument*/NULL); __this->set__ProcessingBuffer_7((ByteU5BU5D_t58506160*)NULL); } IL_002c: { UInt32U5BU5D_t2133601851* L_4 = __this->get__H_4(); if (!L_4) { goto IL_0052; } } { UInt32U5BU5D_t2133601851* L_5 = __this->get__H_4(); UInt32U5BU5D_t2133601851* L_6 = __this->get__H_4(); NullCheck(L_6); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_5, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length)))), /*hidden argument*/NULL); __this->set__H_4((UInt32U5BU5D_t2133601851*)NULL); } IL_0052: { UInt32U5BU5D_t2133601851* L_7 = __this->get_buff_5(); if (!L_7) { goto IL_0078; } } { UInt32U5BU5D_t2133601851* L_8 = __this->get_buff_5(); UInt32U5BU5D_t2133601851* L_9 = __this->get_buff_5(); NullCheck(L_9); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_8, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length)))), /*hidden argument*/NULL); __this->set_buff_5((UInt32U5BU5D_t2133601851*)NULL); } IL_0078: { bool L_10 = ___disposing; HashAlgorithm_Dispose_m666835064(__this, L_10, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.MD5CryptoServiceProvider::HashCore(System.Byte[],System.Int32,System.Int32) extern "C" void MD5CryptoServiceProvider_HashCore_m255435378 (MD5CryptoServiceProvider_t2380770080 * __this, ByteU5BU5D_t58506160* ___rgb, int32_t ___ibStart, int32_t ___cbSize, const MethodInfo* method) { int32_t V_0 = 0; { ((HashAlgorithm_t24372250 *)__this)->set_State_2(1); int32_t L_0 = __this->get__ProcessingBufferCount_8(); if (!L_0) { goto IL_0080; } } { int32_t L_1 = ___cbSize; int32_t L_2 = __this->get__ProcessingBufferCount_8(); if ((((int32_t)L_1) >= ((int32_t)((int32_t)((int32_t)((int32_t)64)-(int32_t)L_2))))) { goto IL_0044; } } { ByteU5BU5D_t58506160* L_3 = ___rgb; int32_t L_4 = ___ibStart; ByteU5BU5D_t58506160* L_5 = __this->get__ProcessingBuffer_7(); int32_t L_6 = __this->get__ProcessingBufferCount_8(); int32_t L_7 = ___cbSize; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_3, L_4, (Il2CppArray *)(Il2CppArray *)L_5, L_6, L_7, /*hidden argument*/NULL); int32_t L_8 = __this->get__ProcessingBufferCount_8(); int32_t L_9 = ___cbSize; __this->set__ProcessingBufferCount_8(((int32_t)((int32_t)L_8+(int32_t)L_9))); return; } IL_0044: { int32_t L_10 = __this->get__ProcessingBufferCount_8(); V_0 = ((int32_t)((int32_t)((int32_t)64)-(int32_t)L_10)); ByteU5BU5D_t58506160* L_11 = ___rgb; int32_t L_12 = ___ibStart; ByteU5BU5D_t58506160* L_13 = __this->get__ProcessingBuffer_7(); int32_t L_14 = __this->get__ProcessingBufferCount_8(); int32_t L_15 = V_0; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_11, L_12, (Il2CppArray *)(Il2CppArray *)L_13, L_14, L_15, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_16 = __this->get__ProcessingBuffer_7(); MD5CryptoServiceProvider_ProcessBlock_m1355255830(__this, L_16, 0, /*hidden argument*/NULL); __this->set__ProcessingBufferCount_8(0); int32_t L_17 = ___ibStart; int32_t L_18 = V_0; ___ibStart = ((int32_t)((int32_t)L_17+(int32_t)L_18)); int32_t L_19 = ___cbSize; int32_t L_20 = V_0; ___cbSize = ((int32_t)((int32_t)L_19-(int32_t)L_20)); } IL_0080: { V_0 = 0; goto IL_0096; } IL_0087: { ByteU5BU5D_t58506160* L_21 = ___rgb; int32_t L_22 = ___ibStart; int32_t L_23 = V_0; MD5CryptoServiceProvider_ProcessBlock_m1355255830(__this, L_21, ((int32_t)((int32_t)L_22+(int32_t)L_23)), /*hidden argument*/NULL); int32_t L_24 = V_0; V_0 = ((int32_t)((int32_t)L_24+(int32_t)((int32_t)64))); } IL_0096: { int32_t L_25 = V_0; int32_t L_26 = ___cbSize; int32_t L_27 = ___cbSize; if ((((int32_t)L_25) < ((int32_t)((int32_t)((int32_t)L_26-(int32_t)((int32_t)((int32_t)L_27%(int32_t)((int32_t)64)))))))) { goto IL_0087; } } { int32_t L_28 = ___cbSize; if (!((int32_t)((int32_t)L_28%(int32_t)((int32_t)64)))) { goto IL_00ce; } } { ByteU5BU5D_t58506160* L_29 = ___rgb; int32_t L_30 = ___cbSize; int32_t L_31 = ___cbSize; int32_t L_32 = ___ibStart; ByteU5BU5D_t58506160* L_33 = __this->get__ProcessingBuffer_7(); int32_t L_34 = ___cbSize; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_29, ((int32_t)((int32_t)((int32_t)((int32_t)L_30-(int32_t)((int32_t)((int32_t)L_31%(int32_t)((int32_t)64)))))+(int32_t)L_32)), (Il2CppArray *)(Il2CppArray *)L_33, 0, ((int32_t)((int32_t)L_34%(int32_t)((int32_t)64))), /*hidden argument*/NULL); int32_t L_35 = ___cbSize; __this->set__ProcessingBufferCount_8(((int32_t)((int32_t)L_35%(int32_t)((int32_t)64)))); } IL_00ce: { return; } } // System.Byte[] System.Security.Cryptography.MD5CryptoServiceProvider::HashFinal() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t MD5CryptoServiceProvider_HashFinal_m430218570_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* MD5CryptoServiceProvider_HashFinal_m430218570 (MD5CryptoServiceProvider_t2380770080 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MD5CryptoServiceProvider_HashFinal_m430218570_MetadataUsageId); s_Il2CppMethodIntialized = true; } ByteU5BU5D_t58506160* V_0 = NULL; int32_t V_1 = 0; int32_t V_2 = 0; { V_0 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)16))); ByteU5BU5D_t58506160* L_0 = __this->get__ProcessingBuffer_7(); int32_t L_1 = __this->get__ProcessingBufferCount_8(); MD5CryptoServiceProvider_ProcessFinalBlock_m2458243595(__this, L_0, 0, L_1, /*hidden argument*/NULL); V_1 = 0; goto IL_004f; } IL_0022: { V_2 = 0; goto IL_0044; } IL_0029: { ByteU5BU5D_t58506160* L_2 = V_0; int32_t L_3 = V_1; int32_t L_4 = V_2; UInt32U5BU5D_t2133601851* L_5 = __this->get__H_4(); int32_t L_6 = V_1; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, L_6); int32_t L_7 = L_6; int32_t L_8 = V_2; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, ((int32_t)((int32_t)((int32_t)((int32_t)L_3*(int32_t)4))+(int32_t)L_4))); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)((int32_t)((int32_t)L_3*(int32_t)4))+(int32_t)L_4))), (uint8_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))>>((int32_t)((int32_t)((int32_t)((int32_t)L_8*(int32_t)8))&(int32_t)((int32_t)31))))))))); int32_t L_9 = V_2; V_2 = ((int32_t)((int32_t)L_9+(int32_t)1)); } IL_0044: { int32_t L_10 = V_2; if ((((int32_t)L_10) < ((int32_t)4))) { goto IL_0029; } } { int32_t L_11 = V_1; V_1 = ((int32_t)((int32_t)L_11+(int32_t)1)); } IL_004f: { int32_t L_12 = V_1; if ((((int32_t)L_12) < ((int32_t)4))) { goto IL_0022; } } { ByteU5BU5D_t58506160* L_13 = V_0; return L_13; } } // System.Void System.Security.Cryptography.MD5CryptoServiceProvider::Initialize() extern "C" void MD5CryptoServiceProvider_Initialize_m4227557466 (MD5CryptoServiceProvider_t2380770080 * __this, const MethodInfo* method) { { __this->set_count_6((((int64_t)((int64_t)0)))); __this->set__ProcessingBufferCount_8(0); UInt32U5BU5D_t2133601851* L_0 = __this->get__H_4(); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint32_t)((int32_t)1732584193)); UInt32U5BU5D_t2133601851* L_1 = __this->get__H_4(); NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 1); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint32_t)((int32_t)-271733879)); UInt32U5BU5D_t2133601851* L_2 = __this->get__H_4(); NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 2); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint32_t)((int32_t)-1732584194)); UInt32U5BU5D_t2133601851* L_3 = __this->get__H_4(); NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 3); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint32_t)((int32_t)271733878)); return; } } // System.Void System.Security.Cryptography.MD5CryptoServiceProvider::ProcessBlock(System.Byte[],System.Int32) extern TypeInfo* MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var; extern const uint32_t MD5CryptoServiceProvider_ProcessBlock_m1355255830_MetadataUsageId; extern "C" void MD5CryptoServiceProvider_ProcessBlock_m1355255830 (MD5CryptoServiceProvider_t2380770080 * __this, ByteU5BU5D_t58506160* ___inputBuffer, int32_t ___inputOffset, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MD5CryptoServiceProvider_ProcessBlock_m1355255830_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint32_t V_0 = 0; uint32_t V_1 = 0; uint32_t V_2 = 0; uint32_t V_3 = 0; int32_t V_4 = 0; { uint64_t L_0 = __this->get_count_6(); __this->set_count_6(((int64_t)((int64_t)L_0+(int64_t)(((int64_t)((int64_t)((int32_t)64))))))); V_4 = 0; goto IL_0058; } IL_0018: { UInt32U5BU5D_t2133601851* L_1 = __this->get_buff_5(); int32_t L_2 = V_4; ByteU5BU5D_t58506160* L_3 = ___inputBuffer; int32_t L_4 = ___inputOffset; int32_t L_5 = V_4; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, ((int32_t)((int32_t)L_4+(int32_t)((int32_t)((int32_t)4*(int32_t)L_5))))); int32_t L_6 = ((int32_t)((int32_t)L_4+(int32_t)((int32_t)((int32_t)4*(int32_t)L_5)))); ByteU5BU5D_t58506160* L_7 = ___inputBuffer; int32_t L_8 = ___inputOffset; int32_t L_9 = V_4; NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, ((int32_t)((int32_t)((int32_t)((int32_t)L_8+(int32_t)((int32_t)((int32_t)4*(int32_t)L_9))))+(int32_t)1))); int32_t L_10 = ((int32_t)((int32_t)((int32_t)((int32_t)L_8+(int32_t)((int32_t)((int32_t)4*(int32_t)L_9))))+(int32_t)1)); ByteU5BU5D_t58506160* L_11 = ___inputBuffer; int32_t L_12 = ___inputOffset; int32_t L_13 = V_4; NullCheck(L_11); IL2CPP_ARRAY_BOUNDS_CHECK(L_11, ((int32_t)((int32_t)((int32_t)((int32_t)L_12+(int32_t)((int32_t)((int32_t)4*(int32_t)L_13))))+(int32_t)2))); int32_t L_14 = ((int32_t)((int32_t)((int32_t)((int32_t)L_12+(int32_t)((int32_t)((int32_t)4*(int32_t)L_13))))+(int32_t)2)); ByteU5BU5D_t58506160* L_15 = ___inputBuffer; int32_t L_16 = ___inputOffset; int32_t L_17 = V_4; NullCheck(L_15); IL2CPP_ARRAY_BOUNDS_CHECK(L_15, ((int32_t)((int32_t)((int32_t)((int32_t)L_16+(int32_t)((int32_t)((int32_t)4*(int32_t)L_17))))+(int32_t)3))); int32_t L_18 = ((int32_t)((int32_t)((int32_t)((int32_t)L_16+(int32_t)((int32_t)((int32_t)4*(int32_t)L_17))))+(int32_t)3)); NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(L_2), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_6)))|(int32_t)((int32_t)((int32_t)((L_7)->GetAt(static_cast<il2cpp_array_size_t>(L_10)))<<(int32_t)8))))|(int32_t)((int32_t)((int32_t)((L_11)->GetAt(static_cast<il2cpp_array_size_t>(L_14)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_15)->GetAt(static_cast<il2cpp_array_size_t>(L_18)))<<(int32_t)((int32_t)24)))))); int32_t L_19 = V_4; V_4 = ((int32_t)((int32_t)L_19+(int32_t)1)); } IL_0058: { int32_t L_20 = V_4; if ((((int32_t)L_20) < ((int32_t)((int32_t)16)))) { goto IL_0018; } } { UInt32U5BU5D_t2133601851* L_21 = __this->get__H_4(); NullCheck(L_21); IL2CPP_ARRAY_BOUNDS_CHECK(L_21, 0); int32_t L_22 = 0; V_0 = ((L_21)->GetAt(static_cast<il2cpp_array_size_t>(L_22))); UInt32U5BU5D_t2133601851* L_23 = __this->get__H_4(); NullCheck(L_23); IL2CPP_ARRAY_BOUNDS_CHECK(L_23, 1); int32_t L_24 = 1; V_1 = ((L_23)->GetAt(static_cast<il2cpp_array_size_t>(L_24))); UInt32U5BU5D_t2133601851* L_25 = __this->get__H_4(); NullCheck(L_25); IL2CPP_ARRAY_BOUNDS_CHECK(L_25, 2); int32_t L_26 = 2; V_2 = ((L_25)->GetAt(static_cast<il2cpp_array_size_t>(L_26))); UInt32U5BU5D_t2133601851* L_27 = __this->get__H_4(); NullCheck(L_27); IL2CPP_ARRAY_BOUNDS_CHECK(L_27, 3); int32_t L_28 = 3; V_3 = ((L_27)->GetAt(static_cast<il2cpp_array_size_t>(L_28))); uint32_t L_29 = V_0; uint32_t L_30 = V_2; uint32_t L_31 = V_3; uint32_t L_32 = V_1; uint32_t L_33 = V_3; IL2CPP_RUNTIME_CLASS_INIT(MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_34 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_34); IL2CPP_ARRAY_BOUNDS_CHECK(L_34, 0); int32_t L_35 = 0; UInt32U5BU5D_t2133601851* L_36 = __this->get_buff_5(); NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, 0); int32_t L_37 = 0; V_0 = ((int32_t)((int32_t)L_29+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_30^(int32_t)L_31))&(int32_t)L_32))^(int32_t)L_33))+(int32_t)((L_34)->GetAt(static_cast<il2cpp_array_size_t>(L_35)))))+(int32_t)((L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_37))))))); uint32_t L_38 = V_0; uint32_t L_39 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_38<<(int32_t)7))|(int32_t)((int32_t)((uint32_t)L_39>>((int32_t)25))))); uint32_t L_40 = V_0; uint32_t L_41 = V_1; V_0 = ((int32_t)((int32_t)L_40+(int32_t)L_41)); uint32_t L_42 = V_3; uint32_t L_43 = V_1; uint32_t L_44 = V_2; uint32_t L_45 = V_0; uint32_t L_46 = V_2; UInt32U5BU5D_t2133601851* L_47 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_47); IL2CPP_ARRAY_BOUNDS_CHECK(L_47, 1); int32_t L_48 = 1; UInt32U5BU5D_t2133601851* L_49 = __this->get_buff_5(); NullCheck(L_49); IL2CPP_ARRAY_BOUNDS_CHECK(L_49, 1); int32_t L_50 = 1; V_3 = ((int32_t)((int32_t)L_42+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_43^(int32_t)L_44))&(int32_t)L_45))^(int32_t)L_46))+(int32_t)((L_47)->GetAt(static_cast<il2cpp_array_size_t>(L_48)))))+(int32_t)((L_49)->GetAt(static_cast<il2cpp_array_size_t>(L_50))))))); uint32_t L_51 = V_3; uint32_t L_52 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_51<<(int32_t)((int32_t)12)))|(int32_t)((int32_t)((uint32_t)L_52>>((int32_t)20))))); uint32_t L_53 = V_3; uint32_t L_54 = V_0; V_3 = ((int32_t)((int32_t)L_53+(int32_t)L_54)); uint32_t L_55 = V_2; uint32_t L_56 = V_0; uint32_t L_57 = V_1; uint32_t L_58 = V_3; uint32_t L_59 = V_1; UInt32U5BU5D_t2133601851* L_60 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_60); IL2CPP_ARRAY_BOUNDS_CHECK(L_60, 2); int32_t L_61 = 2; UInt32U5BU5D_t2133601851* L_62 = __this->get_buff_5(); NullCheck(L_62); IL2CPP_ARRAY_BOUNDS_CHECK(L_62, 2); int32_t L_63 = 2; V_2 = ((int32_t)((int32_t)L_55+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_56^(int32_t)L_57))&(int32_t)L_58))^(int32_t)L_59))+(int32_t)((L_60)->GetAt(static_cast<il2cpp_array_size_t>(L_61)))))+(int32_t)((L_62)->GetAt(static_cast<il2cpp_array_size_t>(L_63))))))); uint32_t L_64 = V_2; uint32_t L_65 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_64<<(int32_t)((int32_t)17)))|(int32_t)((int32_t)((uint32_t)L_65>>((int32_t)15))))); uint32_t L_66 = V_2; uint32_t L_67 = V_3; V_2 = ((int32_t)((int32_t)L_66+(int32_t)L_67)); uint32_t L_68 = V_1; uint32_t L_69 = V_3; uint32_t L_70 = V_0; uint32_t L_71 = V_2; uint32_t L_72 = V_0; UInt32U5BU5D_t2133601851* L_73 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_73); IL2CPP_ARRAY_BOUNDS_CHECK(L_73, 3); int32_t L_74 = 3; UInt32U5BU5D_t2133601851* L_75 = __this->get_buff_5(); NullCheck(L_75); IL2CPP_ARRAY_BOUNDS_CHECK(L_75, 3); int32_t L_76 = 3; V_1 = ((int32_t)((int32_t)L_68+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_69^(int32_t)L_70))&(int32_t)L_71))^(int32_t)L_72))+(int32_t)((L_73)->GetAt(static_cast<il2cpp_array_size_t>(L_74)))))+(int32_t)((L_75)->GetAt(static_cast<il2cpp_array_size_t>(L_76))))))); uint32_t L_77 = V_1; uint32_t L_78 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_77<<(int32_t)((int32_t)22)))|(int32_t)((int32_t)((uint32_t)L_78>>((int32_t)10))))); uint32_t L_79 = V_1; uint32_t L_80 = V_2; V_1 = ((int32_t)((int32_t)L_79+(int32_t)L_80)); uint32_t L_81 = V_0; uint32_t L_82 = V_2; uint32_t L_83 = V_3; uint32_t L_84 = V_1; uint32_t L_85 = V_3; UInt32U5BU5D_t2133601851* L_86 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_86); IL2CPP_ARRAY_BOUNDS_CHECK(L_86, 4); int32_t L_87 = 4; UInt32U5BU5D_t2133601851* L_88 = __this->get_buff_5(); NullCheck(L_88); IL2CPP_ARRAY_BOUNDS_CHECK(L_88, 4); int32_t L_89 = 4; V_0 = ((int32_t)((int32_t)L_81+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_82^(int32_t)L_83))&(int32_t)L_84))^(int32_t)L_85))+(int32_t)((L_86)->GetAt(static_cast<il2cpp_array_size_t>(L_87)))))+(int32_t)((L_88)->GetAt(static_cast<il2cpp_array_size_t>(L_89))))))); uint32_t L_90 = V_0; uint32_t L_91 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_90<<(int32_t)7))|(int32_t)((int32_t)((uint32_t)L_91>>((int32_t)25))))); uint32_t L_92 = V_0; uint32_t L_93 = V_1; V_0 = ((int32_t)((int32_t)L_92+(int32_t)L_93)); uint32_t L_94 = V_3; uint32_t L_95 = V_1; uint32_t L_96 = V_2; uint32_t L_97 = V_0; uint32_t L_98 = V_2; UInt32U5BU5D_t2133601851* L_99 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_99); IL2CPP_ARRAY_BOUNDS_CHECK(L_99, 5); int32_t L_100 = 5; UInt32U5BU5D_t2133601851* L_101 = __this->get_buff_5(); NullCheck(L_101); IL2CPP_ARRAY_BOUNDS_CHECK(L_101, 5); int32_t L_102 = 5; V_3 = ((int32_t)((int32_t)L_94+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_95^(int32_t)L_96))&(int32_t)L_97))^(int32_t)L_98))+(int32_t)((L_99)->GetAt(static_cast<il2cpp_array_size_t>(L_100)))))+(int32_t)((L_101)->GetAt(static_cast<il2cpp_array_size_t>(L_102))))))); uint32_t L_103 = V_3; uint32_t L_104 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_103<<(int32_t)((int32_t)12)))|(int32_t)((int32_t)((uint32_t)L_104>>((int32_t)20))))); uint32_t L_105 = V_3; uint32_t L_106 = V_0; V_3 = ((int32_t)((int32_t)L_105+(int32_t)L_106)); uint32_t L_107 = V_2; uint32_t L_108 = V_0; uint32_t L_109 = V_1; uint32_t L_110 = V_3; uint32_t L_111 = V_1; UInt32U5BU5D_t2133601851* L_112 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_112); IL2CPP_ARRAY_BOUNDS_CHECK(L_112, 6); int32_t L_113 = 6; UInt32U5BU5D_t2133601851* L_114 = __this->get_buff_5(); NullCheck(L_114); IL2CPP_ARRAY_BOUNDS_CHECK(L_114, 6); int32_t L_115 = 6; V_2 = ((int32_t)((int32_t)L_107+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_108^(int32_t)L_109))&(int32_t)L_110))^(int32_t)L_111))+(int32_t)((L_112)->GetAt(static_cast<il2cpp_array_size_t>(L_113)))))+(int32_t)((L_114)->GetAt(static_cast<il2cpp_array_size_t>(L_115))))))); uint32_t L_116 = V_2; uint32_t L_117 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_116<<(int32_t)((int32_t)17)))|(int32_t)((int32_t)((uint32_t)L_117>>((int32_t)15))))); uint32_t L_118 = V_2; uint32_t L_119 = V_3; V_2 = ((int32_t)((int32_t)L_118+(int32_t)L_119)); uint32_t L_120 = V_1; uint32_t L_121 = V_3; uint32_t L_122 = V_0; uint32_t L_123 = V_2; uint32_t L_124 = V_0; UInt32U5BU5D_t2133601851* L_125 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_125); IL2CPP_ARRAY_BOUNDS_CHECK(L_125, 7); int32_t L_126 = 7; UInt32U5BU5D_t2133601851* L_127 = __this->get_buff_5(); NullCheck(L_127); IL2CPP_ARRAY_BOUNDS_CHECK(L_127, 7); int32_t L_128 = 7; V_1 = ((int32_t)((int32_t)L_120+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_121^(int32_t)L_122))&(int32_t)L_123))^(int32_t)L_124))+(int32_t)((L_125)->GetAt(static_cast<il2cpp_array_size_t>(L_126)))))+(int32_t)((L_127)->GetAt(static_cast<il2cpp_array_size_t>(L_128))))))); uint32_t L_129 = V_1; uint32_t L_130 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_129<<(int32_t)((int32_t)22)))|(int32_t)((int32_t)((uint32_t)L_130>>((int32_t)10))))); uint32_t L_131 = V_1; uint32_t L_132 = V_2; V_1 = ((int32_t)((int32_t)L_131+(int32_t)L_132)); uint32_t L_133 = V_0; uint32_t L_134 = V_2; uint32_t L_135 = V_3; uint32_t L_136 = V_1; uint32_t L_137 = V_3; UInt32U5BU5D_t2133601851* L_138 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_138); IL2CPP_ARRAY_BOUNDS_CHECK(L_138, 8); int32_t L_139 = 8; UInt32U5BU5D_t2133601851* L_140 = __this->get_buff_5(); NullCheck(L_140); IL2CPP_ARRAY_BOUNDS_CHECK(L_140, 8); int32_t L_141 = 8; V_0 = ((int32_t)((int32_t)L_133+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_134^(int32_t)L_135))&(int32_t)L_136))^(int32_t)L_137))+(int32_t)((L_138)->GetAt(static_cast<il2cpp_array_size_t>(L_139)))))+(int32_t)((L_140)->GetAt(static_cast<il2cpp_array_size_t>(L_141))))))); uint32_t L_142 = V_0; uint32_t L_143 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_142<<(int32_t)7))|(int32_t)((int32_t)((uint32_t)L_143>>((int32_t)25))))); uint32_t L_144 = V_0; uint32_t L_145 = V_1; V_0 = ((int32_t)((int32_t)L_144+(int32_t)L_145)); uint32_t L_146 = V_3; uint32_t L_147 = V_1; uint32_t L_148 = V_2; uint32_t L_149 = V_0; uint32_t L_150 = V_2; UInt32U5BU5D_t2133601851* L_151 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_151); IL2CPP_ARRAY_BOUNDS_CHECK(L_151, ((int32_t)9)); int32_t L_152 = ((int32_t)9); UInt32U5BU5D_t2133601851* L_153 = __this->get_buff_5(); NullCheck(L_153); IL2CPP_ARRAY_BOUNDS_CHECK(L_153, ((int32_t)9)); int32_t L_154 = ((int32_t)9); V_3 = ((int32_t)((int32_t)L_146+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_147^(int32_t)L_148))&(int32_t)L_149))^(int32_t)L_150))+(int32_t)((L_151)->GetAt(static_cast<il2cpp_array_size_t>(L_152)))))+(int32_t)((L_153)->GetAt(static_cast<il2cpp_array_size_t>(L_154))))))); uint32_t L_155 = V_3; uint32_t L_156 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_155<<(int32_t)((int32_t)12)))|(int32_t)((int32_t)((uint32_t)L_156>>((int32_t)20))))); uint32_t L_157 = V_3; uint32_t L_158 = V_0; V_3 = ((int32_t)((int32_t)L_157+(int32_t)L_158)); uint32_t L_159 = V_2; uint32_t L_160 = V_0; uint32_t L_161 = V_1; uint32_t L_162 = V_3; uint32_t L_163 = V_1; UInt32U5BU5D_t2133601851* L_164 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_164); IL2CPP_ARRAY_BOUNDS_CHECK(L_164, ((int32_t)10)); int32_t L_165 = ((int32_t)10); UInt32U5BU5D_t2133601851* L_166 = __this->get_buff_5(); NullCheck(L_166); IL2CPP_ARRAY_BOUNDS_CHECK(L_166, ((int32_t)10)); int32_t L_167 = ((int32_t)10); V_2 = ((int32_t)((int32_t)L_159+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_160^(int32_t)L_161))&(int32_t)L_162))^(int32_t)L_163))+(int32_t)((L_164)->GetAt(static_cast<il2cpp_array_size_t>(L_165)))))+(int32_t)((L_166)->GetAt(static_cast<il2cpp_array_size_t>(L_167))))))); uint32_t L_168 = V_2; uint32_t L_169 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_168<<(int32_t)((int32_t)17)))|(int32_t)((int32_t)((uint32_t)L_169>>((int32_t)15))))); uint32_t L_170 = V_2; uint32_t L_171 = V_3; V_2 = ((int32_t)((int32_t)L_170+(int32_t)L_171)); uint32_t L_172 = V_1; uint32_t L_173 = V_3; uint32_t L_174 = V_0; uint32_t L_175 = V_2; uint32_t L_176 = V_0; UInt32U5BU5D_t2133601851* L_177 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_177); IL2CPP_ARRAY_BOUNDS_CHECK(L_177, ((int32_t)11)); int32_t L_178 = ((int32_t)11); UInt32U5BU5D_t2133601851* L_179 = __this->get_buff_5(); NullCheck(L_179); IL2CPP_ARRAY_BOUNDS_CHECK(L_179, ((int32_t)11)); int32_t L_180 = ((int32_t)11); V_1 = ((int32_t)((int32_t)L_172+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_173^(int32_t)L_174))&(int32_t)L_175))^(int32_t)L_176))+(int32_t)((L_177)->GetAt(static_cast<il2cpp_array_size_t>(L_178)))))+(int32_t)((L_179)->GetAt(static_cast<il2cpp_array_size_t>(L_180))))))); uint32_t L_181 = V_1; uint32_t L_182 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_181<<(int32_t)((int32_t)22)))|(int32_t)((int32_t)((uint32_t)L_182>>((int32_t)10))))); uint32_t L_183 = V_1; uint32_t L_184 = V_2; V_1 = ((int32_t)((int32_t)L_183+(int32_t)L_184)); uint32_t L_185 = V_0; uint32_t L_186 = V_2; uint32_t L_187 = V_3; uint32_t L_188 = V_1; uint32_t L_189 = V_3; UInt32U5BU5D_t2133601851* L_190 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_190); IL2CPP_ARRAY_BOUNDS_CHECK(L_190, ((int32_t)12)); int32_t L_191 = ((int32_t)12); UInt32U5BU5D_t2133601851* L_192 = __this->get_buff_5(); NullCheck(L_192); IL2CPP_ARRAY_BOUNDS_CHECK(L_192, ((int32_t)12)); int32_t L_193 = ((int32_t)12); V_0 = ((int32_t)((int32_t)L_185+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_186^(int32_t)L_187))&(int32_t)L_188))^(int32_t)L_189))+(int32_t)((L_190)->GetAt(static_cast<il2cpp_array_size_t>(L_191)))))+(int32_t)((L_192)->GetAt(static_cast<il2cpp_array_size_t>(L_193))))))); uint32_t L_194 = V_0; uint32_t L_195 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_194<<(int32_t)7))|(int32_t)((int32_t)((uint32_t)L_195>>((int32_t)25))))); uint32_t L_196 = V_0; uint32_t L_197 = V_1; V_0 = ((int32_t)((int32_t)L_196+(int32_t)L_197)); uint32_t L_198 = V_3; uint32_t L_199 = V_1; uint32_t L_200 = V_2; uint32_t L_201 = V_0; uint32_t L_202 = V_2; UInt32U5BU5D_t2133601851* L_203 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_203); IL2CPP_ARRAY_BOUNDS_CHECK(L_203, ((int32_t)13)); int32_t L_204 = ((int32_t)13); UInt32U5BU5D_t2133601851* L_205 = __this->get_buff_5(); NullCheck(L_205); IL2CPP_ARRAY_BOUNDS_CHECK(L_205, ((int32_t)13)); int32_t L_206 = ((int32_t)13); V_3 = ((int32_t)((int32_t)L_198+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_199^(int32_t)L_200))&(int32_t)L_201))^(int32_t)L_202))+(int32_t)((L_203)->GetAt(static_cast<il2cpp_array_size_t>(L_204)))))+(int32_t)((L_205)->GetAt(static_cast<il2cpp_array_size_t>(L_206))))))); uint32_t L_207 = V_3; uint32_t L_208 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_207<<(int32_t)((int32_t)12)))|(int32_t)((int32_t)((uint32_t)L_208>>((int32_t)20))))); uint32_t L_209 = V_3; uint32_t L_210 = V_0; V_3 = ((int32_t)((int32_t)L_209+(int32_t)L_210)); uint32_t L_211 = V_2; uint32_t L_212 = V_0; uint32_t L_213 = V_1; uint32_t L_214 = V_3; uint32_t L_215 = V_1; UInt32U5BU5D_t2133601851* L_216 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_216); IL2CPP_ARRAY_BOUNDS_CHECK(L_216, ((int32_t)14)); int32_t L_217 = ((int32_t)14); UInt32U5BU5D_t2133601851* L_218 = __this->get_buff_5(); NullCheck(L_218); IL2CPP_ARRAY_BOUNDS_CHECK(L_218, ((int32_t)14)); int32_t L_219 = ((int32_t)14); V_2 = ((int32_t)((int32_t)L_211+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_212^(int32_t)L_213))&(int32_t)L_214))^(int32_t)L_215))+(int32_t)((L_216)->GetAt(static_cast<il2cpp_array_size_t>(L_217)))))+(int32_t)((L_218)->GetAt(static_cast<il2cpp_array_size_t>(L_219))))))); uint32_t L_220 = V_2; uint32_t L_221 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_220<<(int32_t)((int32_t)17)))|(int32_t)((int32_t)((uint32_t)L_221>>((int32_t)15))))); uint32_t L_222 = V_2; uint32_t L_223 = V_3; V_2 = ((int32_t)((int32_t)L_222+(int32_t)L_223)); uint32_t L_224 = V_1; uint32_t L_225 = V_3; uint32_t L_226 = V_0; uint32_t L_227 = V_2; uint32_t L_228 = V_0; UInt32U5BU5D_t2133601851* L_229 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_229); IL2CPP_ARRAY_BOUNDS_CHECK(L_229, ((int32_t)15)); int32_t L_230 = ((int32_t)15); UInt32U5BU5D_t2133601851* L_231 = __this->get_buff_5(); NullCheck(L_231); IL2CPP_ARRAY_BOUNDS_CHECK(L_231, ((int32_t)15)); int32_t L_232 = ((int32_t)15); V_1 = ((int32_t)((int32_t)L_224+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_225^(int32_t)L_226))&(int32_t)L_227))^(int32_t)L_228))+(int32_t)((L_229)->GetAt(static_cast<il2cpp_array_size_t>(L_230)))))+(int32_t)((L_231)->GetAt(static_cast<il2cpp_array_size_t>(L_232))))))); uint32_t L_233 = V_1; uint32_t L_234 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_233<<(int32_t)((int32_t)22)))|(int32_t)((int32_t)((uint32_t)L_234>>((int32_t)10))))); uint32_t L_235 = V_1; uint32_t L_236 = V_2; V_1 = ((int32_t)((int32_t)L_235+(int32_t)L_236)); uint32_t L_237 = V_0; uint32_t L_238 = V_1; uint32_t L_239 = V_2; uint32_t L_240 = V_3; uint32_t L_241 = V_2; UInt32U5BU5D_t2133601851* L_242 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_242); IL2CPP_ARRAY_BOUNDS_CHECK(L_242, ((int32_t)16)); int32_t L_243 = ((int32_t)16); UInt32U5BU5D_t2133601851* L_244 = __this->get_buff_5(); NullCheck(L_244); IL2CPP_ARRAY_BOUNDS_CHECK(L_244, 1); int32_t L_245 = 1; V_0 = ((int32_t)((int32_t)L_237+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_238^(int32_t)L_239))&(int32_t)L_240))^(int32_t)L_241))+(int32_t)((L_242)->GetAt(static_cast<il2cpp_array_size_t>(L_243)))))+(int32_t)((L_244)->GetAt(static_cast<il2cpp_array_size_t>(L_245))))))); uint32_t L_246 = V_0; uint32_t L_247 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_246<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_247>>((int32_t)27))))); uint32_t L_248 = V_0; uint32_t L_249 = V_1; V_0 = ((int32_t)((int32_t)L_248+(int32_t)L_249)); uint32_t L_250 = V_3; uint32_t L_251 = V_0; uint32_t L_252 = V_1; uint32_t L_253 = V_2; uint32_t L_254 = V_1; UInt32U5BU5D_t2133601851* L_255 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_255); IL2CPP_ARRAY_BOUNDS_CHECK(L_255, ((int32_t)17)); int32_t L_256 = ((int32_t)17); UInt32U5BU5D_t2133601851* L_257 = __this->get_buff_5(); NullCheck(L_257); IL2CPP_ARRAY_BOUNDS_CHECK(L_257, 6); int32_t L_258 = 6; V_3 = ((int32_t)((int32_t)L_250+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_251^(int32_t)L_252))&(int32_t)L_253))^(int32_t)L_254))+(int32_t)((L_255)->GetAt(static_cast<il2cpp_array_size_t>(L_256)))))+(int32_t)((L_257)->GetAt(static_cast<il2cpp_array_size_t>(L_258))))))); uint32_t L_259 = V_3; uint32_t L_260 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_259<<(int32_t)((int32_t)9)))|(int32_t)((int32_t)((uint32_t)L_260>>((int32_t)23))))); uint32_t L_261 = V_3; uint32_t L_262 = V_0; V_3 = ((int32_t)((int32_t)L_261+(int32_t)L_262)); uint32_t L_263 = V_2; uint32_t L_264 = V_3; uint32_t L_265 = V_0; uint32_t L_266 = V_1; uint32_t L_267 = V_0; UInt32U5BU5D_t2133601851* L_268 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_268); IL2CPP_ARRAY_BOUNDS_CHECK(L_268, ((int32_t)18)); int32_t L_269 = ((int32_t)18); UInt32U5BU5D_t2133601851* L_270 = __this->get_buff_5(); NullCheck(L_270); IL2CPP_ARRAY_BOUNDS_CHECK(L_270, ((int32_t)11)); int32_t L_271 = ((int32_t)11); V_2 = ((int32_t)((int32_t)L_263+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_264^(int32_t)L_265))&(int32_t)L_266))^(int32_t)L_267))+(int32_t)((L_268)->GetAt(static_cast<il2cpp_array_size_t>(L_269)))))+(int32_t)((L_270)->GetAt(static_cast<il2cpp_array_size_t>(L_271))))))); uint32_t L_272 = V_2; uint32_t L_273 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_272<<(int32_t)((int32_t)14)))|(int32_t)((int32_t)((uint32_t)L_273>>((int32_t)18))))); uint32_t L_274 = V_2; uint32_t L_275 = V_3; V_2 = ((int32_t)((int32_t)L_274+(int32_t)L_275)); uint32_t L_276 = V_1; uint32_t L_277 = V_2; uint32_t L_278 = V_3; uint32_t L_279 = V_0; uint32_t L_280 = V_3; UInt32U5BU5D_t2133601851* L_281 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_281); IL2CPP_ARRAY_BOUNDS_CHECK(L_281, ((int32_t)19)); int32_t L_282 = ((int32_t)19); UInt32U5BU5D_t2133601851* L_283 = __this->get_buff_5(); NullCheck(L_283); IL2CPP_ARRAY_BOUNDS_CHECK(L_283, 0); int32_t L_284 = 0; V_1 = ((int32_t)((int32_t)L_276+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_277^(int32_t)L_278))&(int32_t)L_279))^(int32_t)L_280))+(int32_t)((L_281)->GetAt(static_cast<il2cpp_array_size_t>(L_282)))))+(int32_t)((L_283)->GetAt(static_cast<il2cpp_array_size_t>(L_284))))))); uint32_t L_285 = V_1; uint32_t L_286 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_285<<(int32_t)((int32_t)20)))|(int32_t)((int32_t)((uint32_t)L_286>>((int32_t)12))))); uint32_t L_287 = V_1; uint32_t L_288 = V_2; V_1 = ((int32_t)((int32_t)L_287+(int32_t)L_288)); uint32_t L_289 = V_0; uint32_t L_290 = V_1; uint32_t L_291 = V_2; uint32_t L_292 = V_3; uint32_t L_293 = V_2; UInt32U5BU5D_t2133601851* L_294 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_294); IL2CPP_ARRAY_BOUNDS_CHECK(L_294, ((int32_t)20)); int32_t L_295 = ((int32_t)20); UInt32U5BU5D_t2133601851* L_296 = __this->get_buff_5(); NullCheck(L_296); IL2CPP_ARRAY_BOUNDS_CHECK(L_296, 5); int32_t L_297 = 5; V_0 = ((int32_t)((int32_t)L_289+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_290^(int32_t)L_291))&(int32_t)L_292))^(int32_t)L_293))+(int32_t)((L_294)->GetAt(static_cast<il2cpp_array_size_t>(L_295)))))+(int32_t)((L_296)->GetAt(static_cast<il2cpp_array_size_t>(L_297))))))); uint32_t L_298 = V_0; uint32_t L_299 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_298<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_299>>((int32_t)27))))); uint32_t L_300 = V_0; uint32_t L_301 = V_1; V_0 = ((int32_t)((int32_t)L_300+(int32_t)L_301)); uint32_t L_302 = V_3; uint32_t L_303 = V_0; uint32_t L_304 = V_1; uint32_t L_305 = V_2; uint32_t L_306 = V_1; UInt32U5BU5D_t2133601851* L_307 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_307); IL2CPP_ARRAY_BOUNDS_CHECK(L_307, ((int32_t)21)); int32_t L_308 = ((int32_t)21); UInt32U5BU5D_t2133601851* L_309 = __this->get_buff_5(); NullCheck(L_309); IL2CPP_ARRAY_BOUNDS_CHECK(L_309, ((int32_t)10)); int32_t L_310 = ((int32_t)10); V_3 = ((int32_t)((int32_t)L_302+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_303^(int32_t)L_304))&(int32_t)L_305))^(int32_t)L_306))+(int32_t)((L_307)->GetAt(static_cast<il2cpp_array_size_t>(L_308)))))+(int32_t)((L_309)->GetAt(static_cast<il2cpp_array_size_t>(L_310))))))); uint32_t L_311 = V_3; uint32_t L_312 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_311<<(int32_t)((int32_t)9)))|(int32_t)((int32_t)((uint32_t)L_312>>((int32_t)23))))); uint32_t L_313 = V_3; uint32_t L_314 = V_0; V_3 = ((int32_t)((int32_t)L_313+(int32_t)L_314)); uint32_t L_315 = V_2; uint32_t L_316 = V_3; uint32_t L_317 = V_0; uint32_t L_318 = V_1; uint32_t L_319 = V_0; UInt32U5BU5D_t2133601851* L_320 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_320); IL2CPP_ARRAY_BOUNDS_CHECK(L_320, ((int32_t)22)); int32_t L_321 = ((int32_t)22); UInt32U5BU5D_t2133601851* L_322 = __this->get_buff_5(); NullCheck(L_322); IL2CPP_ARRAY_BOUNDS_CHECK(L_322, ((int32_t)15)); int32_t L_323 = ((int32_t)15); V_2 = ((int32_t)((int32_t)L_315+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_316^(int32_t)L_317))&(int32_t)L_318))^(int32_t)L_319))+(int32_t)((L_320)->GetAt(static_cast<il2cpp_array_size_t>(L_321)))))+(int32_t)((L_322)->GetAt(static_cast<il2cpp_array_size_t>(L_323))))))); uint32_t L_324 = V_2; uint32_t L_325 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_324<<(int32_t)((int32_t)14)))|(int32_t)((int32_t)((uint32_t)L_325>>((int32_t)18))))); uint32_t L_326 = V_2; uint32_t L_327 = V_3; V_2 = ((int32_t)((int32_t)L_326+(int32_t)L_327)); uint32_t L_328 = V_1; uint32_t L_329 = V_2; uint32_t L_330 = V_3; uint32_t L_331 = V_0; uint32_t L_332 = V_3; UInt32U5BU5D_t2133601851* L_333 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_333); IL2CPP_ARRAY_BOUNDS_CHECK(L_333, ((int32_t)23)); int32_t L_334 = ((int32_t)23); UInt32U5BU5D_t2133601851* L_335 = __this->get_buff_5(); NullCheck(L_335); IL2CPP_ARRAY_BOUNDS_CHECK(L_335, 4); int32_t L_336 = 4; V_1 = ((int32_t)((int32_t)L_328+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_329^(int32_t)L_330))&(int32_t)L_331))^(int32_t)L_332))+(int32_t)((L_333)->GetAt(static_cast<il2cpp_array_size_t>(L_334)))))+(int32_t)((L_335)->GetAt(static_cast<il2cpp_array_size_t>(L_336))))))); uint32_t L_337 = V_1; uint32_t L_338 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_337<<(int32_t)((int32_t)20)))|(int32_t)((int32_t)((uint32_t)L_338>>((int32_t)12))))); uint32_t L_339 = V_1; uint32_t L_340 = V_2; V_1 = ((int32_t)((int32_t)L_339+(int32_t)L_340)); uint32_t L_341 = V_0; uint32_t L_342 = V_1; uint32_t L_343 = V_2; uint32_t L_344 = V_3; uint32_t L_345 = V_2; UInt32U5BU5D_t2133601851* L_346 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_346); IL2CPP_ARRAY_BOUNDS_CHECK(L_346, ((int32_t)24)); int32_t L_347 = ((int32_t)24); UInt32U5BU5D_t2133601851* L_348 = __this->get_buff_5(); NullCheck(L_348); IL2CPP_ARRAY_BOUNDS_CHECK(L_348, ((int32_t)9)); int32_t L_349 = ((int32_t)9); V_0 = ((int32_t)((int32_t)L_341+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_342^(int32_t)L_343))&(int32_t)L_344))^(int32_t)L_345))+(int32_t)((L_346)->GetAt(static_cast<il2cpp_array_size_t>(L_347)))))+(int32_t)((L_348)->GetAt(static_cast<il2cpp_array_size_t>(L_349))))))); uint32_t L_350 = V_0; uint32_t L_351 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_350<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_351>>((int32_t)27))))); uint32_t L_352 = V_0; uint32_t L_353 = V_1; V_0 = ((int32_t)((int32_t)L_352+(int32_t)L_353)); uint32_t L_354 = V_3; uint32_t L_355 = V_0; uint32_t L_356 = V_1; uint32_t L_357 = V_2; uint32_t L_358 = V_1; UInt32U5BU5D_t2133601851* L_359 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_359); IL2CPP_ARRAY_BOUNDS_CHECK(L_359, ((int32_t)25)); int32_t L_360 = ((int32_t)25); UInt32U5BU5D_t2133601851* L_361 = __this->get_buff_5(); NullCheck(L_361); IL2CPP_ARRAY_BOUNDS_CHECK(L_361, ((int32_t)14)); int32_t L_362 = ((int32_t)14); V_3 = ((int32_t)((int32_t)L_354+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_355^(int32_t)L_356))&(int32_t)L_357))^(int32_t)L_358))+(int32_t)((L_359)->GetAt(static_cast<il2cpp_array_size_t>(L_360)))))+(int32_t)((L_361)->GetAt(static_cast<il2cpp_array_size_t>(L_362))))))); uint32_t L_363 = V_3; uint32_t L_364 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_363<<(int32_t)((int32_t)9)))|(int32_t)((int32_t)((uint32_t)L_364>>((int32_t)23))))); uint32_t L_365 = V_3; uint32_t L_366 = V_0; V_3 = ((int32_t)((int32_t)L_365+(int32_t)L_366)); uint32_t L_367 = V_2; uint32_t L_368 = V_3; uint32_t L_369 = V_0; uint32_t L_370 = V_1; uint32_t L_371 = V_0; UInt32U5BU5D_t2133601851* L_372 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_372); IL2CPP_ARRAY_BOUNDS_CHECK(L_372, ((int32_t)26)); int32_t L_373 = ((int32_t)26); UInt32U5BU5D_t2133601851* L_374 = __this->get_buff_5(); NullCheck(L_374); IL2CPP_ARRAY_BOUNDS_CHECK(L_374, 3); int32_t L_375 = 3; V_2 = ((int32_t)((int32_t)L_367+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_368^(int32_t)L_369))&(int32_t)L_370))^(int32_t)L_371))+(int32_t)((L_372)->GetAt(static_cast<il2cpp_array_size_t>(L_373)))))+(int32_t)((L_374)->GetAt(static_cast<il2cpp_array_size_t>(L_375))))))); uint32_t L_376 = V_2; uint32_t L_377 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_376<<(int32_t)((int32_t)14)))|(int32_t)((int32_t)((uint32_t)L_377>>((int32_t)18))))); uint32_t L_378 = V_2; uint32_t L_379 = V_3; V_2 = ((int32_t)((int32_t)L_378+(int32_t)L_379)); uint32_t L_380 = V_1; uint32_t L_381 = V_2; uint32_t L_382 = V_3; uint32_t L_383 = V_0; uint32_t L_384 = V_3; UInt32U5BU5D_t2133601851* L_385 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_385); IL2CPP_ARRAY_BOUNDS_CHECK(L_385, ((int32_t)27)); int32_t L_386 = ((int32_t)27); UInt32U5BU5D_t2133601851* L_387 = __this->get_buff_5(); NullCheck(L_387); IL2CPP_ARRAY_BOUNDS_CHECK(L_387, 8); int32_t L_388 = 8; V_1 = ((int32_t)((int32_t)L_380+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_381^(int32_t)L_382))&(int32_t)L_383))^(int32_t)L_384))+(int32_t)((L_385)->GetAt(static_cast<il2cpp_array_size_t>(L_386)))))+(int32_t)((L_387)->GetAt(static_cast<il2cpp_array_size_t>(L_388))))))); uint32_t L_389 = V_1; uint32_t L_390 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_389<<(int32_t)((int32_t)20)))|(int32_t)((int32_t)((uint32_t)L_390>>((int32_t)12))))); uint32_t L_391 = V_1; uint32_t L_392 = V_2; V_1 = ((int32_t)((int32_t)L_391+(int32_t)L_392)); uint32_t L_393 = V_0; uint32_t L_394 = V_1; uint32_t L_395 = V_2; uint32_t L_396 = V_3; uint32_t L_397 = V_2; UInt32U5BU5D_t2133601851* L_398 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_398); IL2CPP_ARRAY_BOUNDS_CHECK(L_398, ((int32_t)28)); int32_t L_399 = ((int32_t)28); UInt32U5BU5D_t2133601851* L_400 = __this->get_buff_5(); NullCheck(L_400); IL2CPP_ARRAY_BOUNDS_CHECK(L_400, ((int32_t)13)); int32_t L_401 = ((int32_t)13); V_0 = ((int32_t)((int32_t)L_393+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_394^(int32_t)L_395))&(int32_t)L_396))^(int32_t)L_397))+(int32_t)((L_398)->GetAt(static_cast<il2cpp_array_size_t>(L_399)))))+(int32_t)((L_400)->GetAt(static_cast<il2cpp_array_size_t>(L_401))))))); uint32_t L_402 = V_0; uint32_t L_403 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_402<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_403>>((int32_t)27))))); uint32_t L_404 = V_0; uint32_t L_405 = V_1; V_0 = ((int32_t)((int32_t)L_404+(int32_t)L_405)); uint32_t L_406 = V_3; uint32_t L_407 = V_0; uint32_t L_408 = V_1; uint32_t L_409 = V_2; uint32_t L_410 = V_1; UInt32U5BU5D_t2133601851* L_411 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_411); IL2CPP_ARRAY_BOUNDS_CHECK(L_411, ((int32_t)29)); int32_t L_412 = ((int32_t)29); UInt32U5BU5D_t2133601851* L_413 = __this->get_buff_5(); NullCheck(L_413); IL2CPP_ARRAY_BOUNDS_CHECK(L_413, 2); int32_t L_414 = 2; V_3 = ((int32_t)((int32_t)L_406+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_407^(int32_t)L_408))&(int32_t)L_409))^(int32_t)L_410))+(int32_t)((L_411)->GetAt(static_cast<il2cpp_array_size_t>(L_412)))))+(int32_t)((L_413)->GetAt(static_cast<il2cpp_array_size_t>(L_414))))))); uint32_t L_415 = V_3; uint32_t L_416 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_415<<(int32_t)((int32_t)9)))|(int32_t)((int32_t)((uint32_t)L_416>>((int32_t)23))))); uint32_t L_417 = V_3; uint32_t L_418 = V_0; V_3 = ((int32_t)((int32_t)L_417+(int32_t)L_418)); uint32_t L_419 = V_2; uint32_t L_420 = V_3; uint32_t L_421 = V_0; uint32_t L_422 = V_1; uint32_t L_423 = V_0; UInt32U5BU5D_t2133601851* L_424 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_424); IL2CPP_ARRAY_BOUNDS_CHECK(L_424, ((int32_t)30)); int32_t L_425 = ((int32_t)30); UInt32U5BU5D_t2133601851* L_426 = __this->get_buff_5(); NullCheck(L_426); IL2CPP_ARRAY_BOUNDS_CHECK(L_426, 7); int32_t L_427 = 7; V_2 = ((int32_t)((int32_t)L_419+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_420^(int32_t)L_421))&(int32_t)L_422))^(int32_t)L_423))+(int32_t)((L_424)->GetAt(static_cast<il2cpp_array_size_t>(L_425)))))+(int32_t)((L_426)->GetAt(static_cast<il2cpp_array_size_t>(L_427))))))); uint32_t L_428 = V_2; uint32_t L_429 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_428<<(int32_t)((int32_t)14)))|(int32_t)((int32_t)((uint32_t)L_429>>((int32_t)18))))); uint32_t L_430 = V_2; uint32_t L_431 = V_3; V_2 = ((int32_t)((int32_t)L_430+(int32_t)L_431)); uint32_t L_432 = V_1; uint32_t L_433 = V_2; uint32_t L_434 = V_3; uint32_t L_435 = V_0; uint32_t L_436 = V_3; UInt32U5BU5D_t2133601851* L_437 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_437); IL2CPP_ARRAY_BOUNDS_CHECK(L_437, ((int32_t)31)); int32_t L_438 = ((int32_t)31); UInt32U5BU5D_t2133601851* L_439 = __this->get_buff_5(); NullCheck(L_439); IL2CPP_ARRAY_BOUNDS_CHECK(L_439, ((int32_t)12)); int32_t L_440 = ((int32_t)12); V_1 = ((int32_t)((int32_t)L_432+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_433^(int32_t)L_434))&(int32_t)L_435))^(int32_t)L_436))+(int32_t)((L_437)->GetAt(static_cast<il2cpp_array_size_t>(L_438)))))+(int32_t)((L_439)->GetAt(static_cast<il2cpp_array_size_t>(L_440))))))); uint32_t L_441 = V_1; uint32_t L_442 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_441<<(int32_t)((int32_t)20)))|(int32_t)((int32_t)((uint32_t)L_442>>((int32_t)12))))); uint32_t L_443 = V_1; uint32_t L_444 = V_2; V_1 = ((int32_t)((int32_t)L_443+(int32_t)L_444)); uint32_t L_445 = V_0; uint32_t L_446 = V_1; uint32_t L_447 = V_2; uint32_t L_448 = V_3; UInt32U5BU5D_t2133601851* L_449 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_449); IL2CPP_ARRAY_BOUNDS_CHECK(L_449, ((int32_t)32)); int32_t L_450 = ((int32_t)32); UInt32U5BU5D_t2133601851* L_451 = __this->get_buff_5(); NullCheck(L_451); IL2CPP_ARRAY_BOUNDS_CHECK(L_451, 5); int32_t L_452 = 5; V_0 = ((int32_t)((int32_t)L_445+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_446^(int32_t)L_447))^(int32_t)L_448))+(int32_t)((L_449)->GetAt(static_cast<il2cpp_array_size_t>(L_450)))))+(int32_t)((L_451)->GetAt(static_cast<il2cpp_array_size_t>(L_452))))))); uint32_t L_453 = V_0; uint32_t L_454 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_453<<(int32_t)4))|(int32_t)((int32_t)((uint32_t)L_454>>((int32_t)28))))); uint32_t L_455 = V_0; uint32_t L_456 = V_1; V_0 = ((int32_t)((int32_t)L_455+(int32_t)L_456)); uint32_t L_457 = V_3; uint32_t L_458 = V_0; uint32_t L_459 = V_1; uint32_t L_460 = V_2; UInt32U5BU5D_t2133601851* L_461 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_461); IL2CPP_ARRAY_BOUNDS_CHECK(L_461, ((int32_t)33)); int32_t L_462 = ((int32_t)33); UInt32U5BU5D_t2133601851* L_463 = __this->get_buff_5(); NullCheck(L_463); IL2CPP_ARRAY_BOUNDS_CHECK(L_463, 8); int32_t L_464 = 8; V_3 = ((int32_t)((int32_t)L_457+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_458^(int32_t)L_459))^(int32_t)L_460))+(int32_t)((L_461)->GetAt(static_cast<il2cpp_array_size_t>(L_462)))))+(int32_t)((L_463)->GetAt(static_cast<il2cpp_array_size_t>(L_464))))))); uint32_t L_465 = V_3; uint32_t L_466 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_465<<(int32_t)((int32_t)11)))|(int32_t)((int32_t)((uint32_t)L_466>>((int32_t)21))))); uint32_t L_467 = V_3; uint32_t L_468 = V_0; V_3 = ((int32_t)((int32_t)L_467+(int32_t)L_468)); uint32_t L_469 = V_2; uint32_t L_470 = V_3; uint32_t L_471 = V_0; uint32_t L_472 = V_1; UInt32U5BU5D_t2133601851* L_473 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_473); IL2CPP_ARRAY_BOUNDS_CHECK(L_473, ((int32_t)34)); int32_t L_474 = ((int32_t)34); UInt32U5BU5D_t2133601851* L_475 = __this->get_buff_5(); NullCheck(L_475); IL2CPP_ARRAY_BOUNDS_CHECK(L_475, ((int32_t)11)); int32_t L_476 = ((int32_t)11); V_2 = ((int32_t)((int32_t)L_469+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_470^(int32_t)L_471))^(int32_t)L_472))+(int32_t)((L_473)->GetAt(static_cast<il2cpp_array_size_t>(L_474)))))+(int32_t)((L_475)->GetAt(static_cast<il2cpp_array_size_t>(L_476))))))); uint32_t L_477 = V_2; uint32_t L_478 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_477<<(int32_t)((int32_t)16)))|(int32_t)((int32_t)((uint32_t)L_478>>((int32_t)16))))); uint32_t L_479 = V_2; uint32_t L_480 = V_3; V_2 = ((int32_t)((int32_t)L_479+(int32_t)L_480)); uint32_t L_481 = V_1; uint32_t L_482 = V_2; uint32_t L_483 = V_3; uint32_t L_484 = V_0; UInt32U5BU5D_t2133601851* L_485 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_485); IL2CPP_ARRAY_BOUNDS_CHECK(L_485, ((int32_t)35)); int32_t L_486 = ((int32_t)35); UInt32U5BU5D_t2133601851* L_487 = __this->get_buff_5(); NullCheck(L_487); IL2CPP_ARRAY_BOUNDS_CHECK(L_487, ((int32_t)14)); int32_t L_488 = ((int32_t)14); V_1 = ((int32_t)((int32_t)L_481+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_482^(int32_t)L_483))^(int32_t)L_484))+(int32_t)((L_485)->GetAt(static_cast<il2cpp_array_size_t>(L_486)))))+(int32_t)((L_487)->GetAt(static_cast<il2cpp_array_size_t>(L_488))))))); uint32_t L_489 = V_1; uint32_t L_490 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_489<<(int32_t)((int32_t)23)))|(int32_t)((int32_t)((uint32_t)L_490>>((int32_t)9))))); uint32_t L_491 = V_1; uint32_t L_492 = V_2; V_1 = ((int32_t)((int32_t)L_491+(int32_t)L_492)); uint32_t L_493 = V_0; uint32_t L_494 = V_1; uint32_t L_495 = V_2; uint32_t L_496 = V_3; UInt32U5BU5D_t2133601851* L_497 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_497); IL2CPP_ARRAY_BOUNDS_CHECK(L_497, ((int32_t)36)); int32_t L_498 = ((int32_t)36); UInt32U5BU5D_t2133601851* L_499 = __this->get_buff_5(); NullCheck(L_499); IL2CPP_ARRAY_BOUNDS_CHECK(L_499, 1); int32_t L_500 = 1; V_0 = ((int32_t)((int32_t)L_493+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_494^(int32_t)L_495))^(int32_t)L_496))+(int32_t)((L_497)->GetAt(static_cast<il2cpp_array_size_t>(L_498)))))+(int32_t)((L_499)->GetAt(static_cast<il2cpp_array_size_t>(L_500))))))); uint32_t L_501 = V_0; uint32_t L_502 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_501<<(int32_t)4))|(int32_t)((int32_t)((uint32_t)L_502>>((int32_t)28))))); uint32_t L_503 = V_0; uint32_t L_504 = V_1; V_0 = ((int32_t)((int32_t)L_503+(int32_t)L_504)); uint32_t L_505 = V_3; uint32_t L_506 = V_0; uint32_t L_507 = V_1; uint32_t L_508 = V_2; UInt32U5BU5D_t2133601851* L_509 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_509); IL2CPP_ARRAY_BOUNDS_CHECK(L_509, ((int32_t)37)); int32_t L_510 = ((int32_t)37); UInt32U5BU5D_t2133601851* L_511 = __this->get_buff_5(); NullCheck(L_511); IL2CPP_ARRAY_BOUNDS_CHECK(L_511, 4); int32_t L_512 = 4; V_3 = ((int32_t)((int32_t)L_505+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_506^(int32_t)L_507))^(int32_t)L_508))+(int32_t)((L_509)->GetAt(static_cast<il2cpp_array_size_t>(L_510)))))+(int32_t)((L_511)->GetAt(static_cast<il2cpp_array_size_t>(L_512))))))); uint32_t L_513 = V_3; uint32_t L_514 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_513<<(int32_t)((int32_t)11)))|(int32_t)((int32_t)((uint32_t)L_514>>((int32_t)21))))); uint32_t L_515 = V_3; uint32_t L_516 = V_0; V_3 = ((int32_t)((int32_t)L_515+(int32_t)L_516)); uint32_t L_517 = V_2; uint32_t L_518 = V_3; uint32_t L_519 = V_0; uint32_t L_520 = V_1; UInt32U5BU5D_t2133601851* L_521 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_521); IL2CPP_ARRAY_BOUNDS_CHECK(L_521, ((int32_t)38)); int32_t L_522 = ((int32_t)38); UInt32U5BU5D_t2133601851* L_523 = __this->get_buff_5(); NullCheck(L_523); IL2CPP_ARRAY_BOUNDS_CHECK(L_523, 7); int32_t L_524 = 7; V_2 = ((int32_t)((int32_t)L_517+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_518^(int32_t)L_519))^(int32_t)L_520))+(int32_t)((L_521)->GetAt(static_cast<il2cpp_array_size_t>(L_522)))))+(int32_t)((L_523)->GetAt(static_cast<il2cpp_array_size_t>(L_524))))))); uint32_t L_525 = V_2; uint32_t L_526 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_525<<(int32_t)((int32_t)16)))|(int32_t)((int32_t)((uint32_t)L_526>>((int32_t)16))))); uint32_t L_527 = V_2; uint32_t L_528 = V_3; V_2 = ((int32_t)((int32_t)L_527+(int32_t)L_528)); uint32_t L_529 = V_1; uint32_t L_530 = V_2; uint32_t L_531 = V_3; uint32_t L_532 = V_0; UInt32U5BU5D_t2133601851* L_533 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_533); IL2CPP_ARRAY_BOUNDS_CHECK(L_533, ((int32_t)39)); int32_t L_534 = ((int32_t)39); UInt32U5BU5D_t2133601851* L_535 = __this->get_buff_5(); NullCheck(L_535); IL2CPP_ARRAY_BOUNDS_CHECK(L_535, ((int32_t)10)); int32_t L_536 = ((int32_t)10); V_1 = ((int32_t)((int32_t)L_529+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_530^(int32_t)L_531))^(int32_t)L_532))+(int32_t)((L_533)->GetAt(static_cast<il2cpp_array_size_t>(L_534)))))+(int32_t)((L_535)->GetAt(static_cast<il2cpp_array_size_t>(L_536))))))); uint32_t L_537 = V_1; uint32_t L_538 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_537<<(int32_t)((int32_t)23)))|(int32_t)((int32_t)((uint32_t)L_538>>((int32_t)9))))); uint32_t L_539 = V_1; uint32_t L_540 = V_2; V_1 = ((int32_t)((int32_t)L_539+(int32_t)L_540)); uint32_t L_541 = V_0; uint32_t L_542 = V_1; uint32_t L_543 = V_2; uint32_t L_544 = V_3; UInt32U5BU5D_t2133601851* L_545 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_545); IL2CPP_ARRAY_BOUNDS_CHECK(L_545, ((int32_t)40)); int32_t L_546 = ((int32_t)40); UInt32U5BU5D_t2133601851* L_547 = __this->get_buff_5(); NullCheck(L_547); IL2CPP_ARRAY_BOUNDS_CHECK(L_547, ((int32_t)13)); int32_t L_548 = ((int32_t)13); V_0 = ((int32_t)((int32_t)L_541+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_542^(int32_t)L_543))^(int32_t)L_544))+(int32_t)((L_545)->GetAt(static_cast<il2cpp_array_size_t>(L_546)))))+(int32_t)((L_547)->GetAt(static_cast<il2cpp_array_size_t>(L_548))))))); uint32_t L_549 = V_0; uint32_t L_550 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_549<<(int32_t)4))|(int32_t)((int32_t)((uint32_t)L_550>>((int32_t)28))))); uint32_t L_551 = V_0; uint32_t L_552 = V_1; V_0 = ((int32_t)((int32_t)L_551+(int32_t)L_552)); uint32_t L_553 = V_3; uint32_t L_554 = V_0; uint32_t L_555 = V_1; uint32_t L_556 = V_2; UInt32U5BU5D_t2133601851* L_557 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_557); IL2CPP_ARRAY_BOUNDS_CHECK(L_557, ((int32_t)41)); int32_t L_558 = ((int32_t)41); UInt32U5BU5D_t2133601851* L_559 = __this->get_buff_5(); NullCheck(L_559); IL2CPP_ARRAY_BOUNDS_CHECK(L_559, 0); int32_t L_560 = 0; V_3 = ((int32_t)((int32_t)L_553+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_554^(int32_t)L_555))^(int32_t)L_556))+(int32_t)((L_557)->GetAt(static_cast<il2cpp_array_size_t>(L_558)))))+(int32_t)((L_559)->GetAt(static_cast<il2cpp_array_size_t>(L_560))))))); uint32_t L_561 = V_3; uint32_t L_562 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_561<<(int32_t)((int32_t)11)))|(int32_t)((int32_t)((uint32_t)L_562>>((int32_t)21))))); uint32_t L_563 = V_3; uint32_t L_564 = V_0; V_3 = ((int32_t)((int32_t)L_563+(int32_t)L_564)); uint32_t L_565 = V_2; uint32_t L_566 = V_3; uint32_t L_567 = V_0; uint32_t L_568 = V_1; UInt32U5BU5D_t2133601851* L_569 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_569); IL2CPP_ARRAY_BOUNDS_CHECK(L_569, ((int32_t)42)); int32_t L_570 = ((int32_t)42); UInt32U5BU5D_t2133601851* L_571 = __this->get_buff_5(); NullCheck(L_571); IL2CPP_ARRAY_BOUNDS_CHECK(L_571, 3); int32_t L_572 = 3; V_2 = ((int32_t)((int32_t)L_565+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_566^(int32_t)L_567))^(int32_t)L_568))+(int32_t)((L_569)->GetAt(static_cast<il2cpp_array_size_t>(L_570)))))+(int32_t)((L_571)->GetAt(static_cast<il2cpp_array_size_t>(L_572))))))); uint32_t L_573 = V_2; uint32_t L_574 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_573<<(int32_t)((int32_t)16)))|(int32_t)((int32_t)((uint32_t)L_574>>((int32_t)16))))); uint32_t L_575 = V_2; uint32_t L_576 = V_3; V_2 = ((int32_t)((int32_t)L_575+(int32_t)L_576)); uint32_t L_577 = V_1; uint32_t L_578 = V_2; uint32_t L_579 = V_3; uint32_t L_580 = V_0; UInt32U5BU5D_t2133601851* L_581 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_581); IL2CPP_ARRAY_BOUNDS_CHECK(L_581, ((int32_t)43)); int32_t L_582 = ((int32_t)43); UInt32U5BU5D_t2133601851* L_583 = __this->get_buff_5(); NullCheck(L_583); IL2CPP_ARRAY_BOUNDS_CHECK(L_583, 6); int32_t L_584 = 6; V_1 = ((int32_t)((int32_t)L_577+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_578^(int32_t)L_579))^(int32_t)L_580))+(int32_t)((L_581)->GetAt(static_cast<il2cpp_array_size_t>(L_582)))))+(int32_t)((L_583)->GetAt(static_cast<il2cpp_array_size_t>(L_584))))))); uint32_t L_585 = V_1; uint32_t L_586 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_585<<(int32_t)((int32_t)23)))|(int32_t)((int32_t)((uint32_t)L_586>>((int32_t)9))))); uint32_t L_587 = V_1; uint32_t L_588 = V_2; V_1 = ((int32_t)((int32_t)L_587+(int32_t)L_588)); uint32_t L_589 = V_0; uint32_t L_590 = V_1; uint32_t L_591 = V_2; uint32_t L_592 = V_3; UInt32U5BU5D_t2133601851* L_593 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_593); IL2CPP_ARRAY_BOUNDS_CHECK(L_593, ((int32_t)44)); int32_t L_594 = ((int32_t)44); UInt32U5BU5D_t2133601851* L_595 = __this->get_buff_5(); NullCheck(L_595); IL2CPP_ARRAY_BOUNDS_CHECK(L_595, ((int32_t)9)); int32_t L_596 = ((int32_t)9); V_0 = ((int32_t)((int32_t)L_589+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_590^(int32_t)L_591))^(int32_t)L_592))+(int32_t)((L_593)->GetAt(static_cast<il2cpp_array_size_t>(L_594)))))+(int32_t)((L_595)->GetAt(static_cast<il2cpp_array_size_t>(L_596))))))); uint32_t L_597 = V_0; uint32_t L_598 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_597<<(int32_t)4))|(int32_t)((int32_t)((uint32_t)L_598>>((int32_t)28))))); uint32_t L_599 = V_0; uint32_t L_600 = V_1; V_0 = ((int32_t)((int32_t)L_599+(int32_t)L_600)); uint32_t L_601 = V_3; uint32_t L_602 = V_0; uint32_t L_603 = V_1; uint32_t L_604 = V_2; UInt32U5BU5D_t2133601851* L_605 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_605); IL2CPP_ARRAY_BOUNDS_CHECK(L_605, ((int32_t)45)); int32_t L_606 = ((int32_t)45); UInt32U5BU5D_t2133601851* L_607 = __this->get_buff_5(); NullCheck(L_607); IL2CPP_ARRAY_BOUNDS_CHECK(L_607, ((int32_t)12)); int32_t L_608 = ((int32_t)12); V_3 = ((int32_t)((int32_t)L_601+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_602^(int32_t)L_603))^(int32_t)L_604))+(int32_t)((L_605)->GetAt(static_cast<il2cpp_array_size_t>(L_606)))))+(int32_t)((L_607)->GetAt(static_cast<il2cpp_array_size_t>(L_608))))))); uint32_t L_609 = V_3; uint32_t L_610 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_609<<(int32_t)((int32_t)11)))|(int32_t)((int32_t)((uint32_t)L_610>>((int32_t)21))))); uint32_t L_611 = V_3; uint32_t L_612 = V_0; V_3 = ((int32_t)((int32_t)L_611+(int32_t)L_612)); uint32_t L_613 = V_2; uint32_t L_614 = V_3; uint32_t L_615 = V_0; uint32_t L_616 = V_1; UInt32U5BU5D_t2133601851* L_617 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_617); IL2CPP_ARRAY_BOUNDS_CHECK(L_617, ((int32_t)46)); int32_t L_618 = ((int32_t)46); UInt32U5BU5D_t2133601851* L_619 = __this->get_buff_5(); NullCheck(L_619); IL2CPP_ARRAY_BOUNDS_CHECK(L_619, ((int32_t)15)); int32_t L_620 = ((int32_t)15); V_2 = ((int32_t)((int32_t)L_613+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_614^(int32_t)L_615))^(int32_t)L_616))+(int32_t)((L_617)->GetAt(static_cast<il2cpp_array_size_t>(L_618)))))+(int32_t)((L_619)->GetAt(static_cast<il2cpp_array_size_t>(L_620))))))); uint32_t L_621 = V_2; uint32_t L_622 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_621<<(int32_t)((int32_t)16)))|(int32_t)((int32_t)((uint32_t)L_622>>((int32_t)16))))); uint32_t L_623 = V_2; uint32_t L_624 = V_3; V_2 = ((int32_t)((int32_t)L_623+(int32_t)L_624)); uint32_t L_625 = V_1; uint32_t L_626 = V_2; uint32_t L_627 = V_3; uint32_t L_628 = V_0; UInt32U5BU5D_t2133601851* L_629 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_629); IL2CPP_ARRAY_BOUNDS_CHECK(L_629, ((int32_t)47)); int32_t L_630 = ((int32_t)47); UInt32U5BU5D_t2133601851* L_631 = __this->get_buff_5(); NullCheck(L_631); IL2CPP_ARRAY_BOUNDS_CHECK(L_631, 2); int32_t L_632 = 2; V_1 = ((int32_t)((int32_t)L_625+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_626^(int32_t)L_627))^(int32_t)L_628))+(int32_t)((L_629)->GetAt(static_cast<il2cpp_array_size_t>(L_630)))))+(int32_t)((L_631)->GetAt(static_cast<il2cpp_array_size_t>(L_632))))))); uint32_t L_633 = V_1; uint32_t L_634 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_633<<(int32_t)((int32_t)23)))|(int32_t)((int32_t)((uint32_t)L_634>>((int32_t)9))))); uint32_t L_635 = V_1; uint32_t L_636 = V_2; V_1 = ((int32_t)((int32_t)L_635+(int32_t)L_636)); uint32_t L_637 = V_0; uint32_t L_638 = V_3; uint32_t L_639 = V_1; uint32_t L_640 = V_2; UInt32U5BU5D_t2133601851* L_641 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_641); IL2CPP_ARRAY_BOUNDS_CHECK(L_641, ((int32_t)48)); int32_t L_642 = ((int32_t)48); UInt32U5BU5D_t2133601851* L_643 = __this->get_buff_5(); NullCheck(L_643); IL2CPP_ARRAY_BOUNDS_CHECK(L_643, 0); int32_t L_644 = 0; V_0 = ((int32_t)((int32_t)L_637+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_638))|(int32_t)L_639))^(int32_t)L_640))+(int32_t)((L_641)->GetAt(static_cast<il2cpp_array_size_t>(L_642)))))+(int32_t)((L_643)->GetAt(static_cast<il2cpp_array_size_t>(L_644))))))); uint32_t L_645 = V_0; uint32_t L_646 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_645<<(int32_t)6))|(int32_t)((int32_t)((uint32_t)L_646>>((int32_t)26))))); uint32_t L_647 = V_0; uint32_t L_648 = V_1; V_0 = ((int32_t)((int32_t)L_647+(int32_t)L_648)); uint32_t L_649 = V_3; uint32_t L_650 = V_2; uint32_t L_651 = V_0; uint32_t L_652 = V_1; UInt32U5BU5D_t2133601851* L_653 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_653); IL2CPP_ARRAY_BOUNDS_CHECK(L_653, ((int32_t)49)); int32_t L_654 = ((int32_t)49); UInt32U5BU5D_t2133601851* L_655 = __this->get_buff_5(); NullCheck(L_655); IL2CPP_ARRAY_BOUNDS_CHECK(L_655, 7); int32_t L_656 = 7; V_3 = ((int32_t)((int32_t)L_649+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_650))|(int32_t)L_651))^(int32_t)L_652))+(int32_t)((L_653)->GetAt(static_cast<il2cpp_array_size_t>(L_654)))))+(int32_t)((L_655)->GetAt(static_cast<il2cpp_array_size_t>(L_656))))))); uint32_t L_657 = V_3; uint32_t L_658 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_657<<(int32_t)((int32_t)10)))|(int32_t)((int32_t)((uint32_t)L_658>>((int32_t)22))))); uint32_t L_659 = V_3; uint32_t L_660 = V_0; V_3 = ((int32_t)((int32_t)L_659+(int32_t)L_660)); uint32_t L_661 = V_2; uint32_t L_662 = V_1; uint32_t L_663 = V_3; uint32_t L_664 = V_0; UInt32U5BU5D_t2133601851* L_665 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_665); IL2CPP_ARRAY_BOUNDS_CHECK(L_665, ((int32_t)50)); int32_t L_666 = ((int32_t)50); UInt32U5BU5D_t2133601851* L_667 = __this->get_buff_5(); NullCheck(L_667); IL2CPP_ARRAY_BOUNDS_CHECK(L_667, ((int32_t)14)); int32_t L_668 = ((int32_t)14); V_2 = ((int32_t)((int32_t)L_661+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_662))|(int32_t)L_663))^(int32_t)L_664))+(int32_t)((L_665)->GetAt(static_cast<il2cpp_array_size_t>(L_666)))))+(int32_t)((L_667)->GetAt(static_cast<il2cpp_array_size_t>(L_668))))))); uint32_t L_669 = V_2; uint32_t L_670 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_669<<(int32_t)((int32_t)15)))|(int32_t)((int32_t)((uint32_t)L_670>>((int32_t)17))))); uint32_t L_671 = V_2; uint32_t L_672 = V_3; V_2 = ((int32_t)((int32_t)L_671+(int32_t)L_672)); uint32_t L_673 = V_1; uint32_t L_674 = V_0; uint32_t L_675 = V_2; uint32_t L_676 = V_3; UInt32U5BU5D_t2133601851* L_677 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_677); IL2CPP_ARRAY_BOUNDS_CHECK(L_677, ((int32_t)51)); int32_t L_678 = ((int32_t)51); UInt32U5BU5D_t2133601851* L_679 = __this->get_buff_5(); NullCheck(L_679); IL2CPP_ARRAY_BOUNDS_CHECK(L_679, 5); int32_t L_680 = 5; V_1 = ((int32_t)((int32_t)L_673+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_674))|(int32_t)L_675))^(int32_t)L_676))+(int32_t)((L_677)->GetAt(static_cast<il2cpp_array_size_t>(L_678)))))+(int32_t)((L_679)->GetAt(static_cast<il2cpp_array_size_t>(L_680))))))); uint32_t L_681 = V_1; uint32_t L_682 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_681<<(int32_t)((int32_t)21)))|(int32_t)((int32_t)((uint32_t)L_682>>((int32_t)11))))); uint32_t L_683 = V_1; uint32_t L_684 = V_2; V_1 = ((int32_t)((int32_t)L_683+(int32_t)L_684)); uint32_t L_685 = V_0; uint32_t L_686 = V_3; uint32_t L_687 = V_1; uint32_t L_688 = V_2; UInt32U5BU5D_t2133601851* L_689 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_689); IL2CPP_ARRAY_BOUNDS_CHECK(L_689, ((int32_t)52)); int32_t L_690 = ((int32_t)52); UInt32U5BU5D_t2133601851* L_691 = __this->get_buff_5(); NullCheck(L_691); IL2CPP_ARRAY_BOUNDS_CHECK(L_691, ((int32_t)12)); int32_t L_692 = ((int32_t)12); V_0 = ((int32_t)((int32_t)L_685+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_686))|(int32_t)L_687))^(int32_t)L_688))+(int32_t)((L_689)->GetAt(static_cast<il2cpp_array_size_t>(L_690)))))+(int32_t)((L_691)->GetAt(static_cast<il2cpp_array_size_t>(L_692))))))); uint32_t L_693 = V_0; uint32_t L_694 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_693<<(int32_t)6))|(int32_t)((int32_t)((uint32_t)L_694>>((int32_t)26))))); uint32_t L_695 = V_0; uint32_t L_696 = V_1; V_0 = ((int32_t)((int32_t)L_695+(int32_t)L_696)); uint32_t L_697 = V_3; uint32_t L_698 = V_2; uint32_t L_699 = V_0; uint32_t L_700 = V_1; UInt32U5BU5D_t2133601851* L_701 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_701); IL2CPP_ARRAY_BOUNDS_CHECK(L_701, ((int32_t)53)); int32_t L_702 = ((int32_t)53); UInt32U5BU5D_t2133601851* L_703 = __this->get_buff_5(); NullCheck(L_703); IL2CPP_ARRAY_BOUNDS_CHECK(L_703, 3); int32_t L_704 = 3; V_3 = ((int32_t)((int32_t)L_697+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_698))|(int32_t)L_699))^(int32_t)L_700))+(int32_t)((L_701)->GetAt(static_cast<il2cpp_array_size_t>(L_702)))))+(int32_t)((L_703)->GetAt(static_cast<il2cpp_array_size_t>(L_704))))))); uint32_t L_705 = V_3; uint32_t L_706 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_705<<(int32_t)((int32_t)10)))|(int32_t)((int32_t)((uint32_t)L_706>>((int32_t)22))))); uint32_t L_707 = V_3; uint32_t L_708 = V_0; V_3 = ((int32_t)((int32_t)L_707+(int32_t)L_708)); uint32_t L_709 = V_2; uint32_t L_710 = V_1; uint32_t L_711 = V_3; uint32_t L_712 = V_0; UInt32U5BU5D_t2133601851* L_713 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_713); IL2CPP_ARRAY_BOUNDS_CHECK(L_713, ((int32_t)54)); int32_t L_714 = ((int32_t)54); UInt32U5BU5D_t2133601851* L_715 = __this->get_buff_5(); NullCheck(L_715); IL2CPP_ARRAY_BOUNDS_CHECK(L_715, ((int32_t)10)); int32_t L_716 = ((int32_t)10); V_2 = ((int32_t)((int32_t)L_709+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_710))|(int32_t)L_711))^(int32_t)L_712))+(int32_t)((L_713)->GetAt(static_cast<il2cpp_array_size_t>(L_714)))))+(int32_t)((L_715)->GetAt(static_cast<il2cpp_array_size_t>(L_716))))))); uint32_t L_717 = V_2; uint32_t L_718 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_717<<(int32_t)((int32_t)15)))|(int32_t)((int32_t)((uint32_t)L_718>>((int32_t)17))))); uint32_t L_719 = V_2; uint32_t L_720 = V_3; V_2 = ((int32_t)((int32_t)L_719+(int32_t)L_720)); uint32_t L_721 = V_1; uint32_t L_722 = V_0; uint32_t L_723 = V_2; uint32_t L_724 = V_3; UInt32U5BU5D_t2133601851* L_725 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_725); IL2CPP_ARRAY_BOUNDS_CHECK(L_725, ((int32_t)55)); int32_t L_726 = ((int32_t)55); UInt32U5BU5D_t2133601851* L_727 = __this->get_buff_5(); NullCheck(L_727); IL2CPP_ARRAY_BOUNDS_CHECK(L_727, 1); int32_t L_728 = 1; V_1 = ((int32_t)((int32_t)L_721+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_722))|(int32_t)L_723))^(int32_t)L_724))+(int32_t)((L_725)->GetAt(static_cast<il2cpp_array_size_t>(L_726)))))+(int32_t)((L_727)->GetAt(static_cast<il2cpp_array_size_t>(L_728))))))); uint32_t L_729 = V_1; uint32_t L_730 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_729<<(int32_t)((int32_t)21)))|(int32_t)((int32_t)((uint32_t)L_730>>((int32_t)11))))); uint32_t L_731 = V_1; uint32_t L_732 = V_2; V_1 = ((int32_t)((int32_t)L_731+(int32_t)L_732)); uint32_t L_733 = V_0; uint32_t L_734 = V_3; uint32_t L_735 = V_1; uint32_t L_736 = V_2; UInt32U5BU5D_t2133601851* L_737 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_737); IL2CPP_ARRAY_BOUNDS_CHECK(L_737, ((int32_t)56)); int32_t L_738 = ((int32_t)56); UInt32U5BU5D_t2133601851* L_739 = __this->get_buff_5(); NullCheck(L_739); IL2CPP_ARRAY_BOUNDS_CHECK(L_739, 8); int32_t L_740 = 8; V_0 = ((int32_t)((int32_t)L_733+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_734))|(int32_t)L_735))^(int32_t)L_736))+(int32_t)((L_737)->GetAt(static_cast<il2cpp_array_size_t>(L_738)))))+(int32_t)((L_739)->GetAt(static_cast<il2cpp_array_size_t>(L_740))))))); uint32_t L_741 = V_0; uint32_t L_742 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_741<<(int32_t)6))|(int32_t)((int32_t)((uint32_t)L_742>>((int32_t)26))))); uint32_t L_743 = V_0; uint32_t L_744 = V_1; V_0 = ((int32_t)((int32_t)L_743+(int32_t)L_744)); uint32_t L_745 = V_3; uint32_t L_746 = V_2; uint32_t L_747 = V_0; uint32_t L_748 = V_1; UInt32U5BU5D_t2133601851* L_749 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_749); IL2CPP_ARRAY_BOUNDS_CHECK(L_749, ((int32_t)57)); int32_t L_750 = ((int32_t)57); UInt32U5BU5D_t2133601851* L_751 = __this->get_buff_5(); NullCheck(L_751); IL2CPP_ARRAY_BOUNDS_CHECK(L_751, ((int32_t)15)); int32_t L_752 = ((int32_t)15); V_3 = ((int32_t)((int32_t)L_745+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_746))|(int32_t)L_747))^(int32_t)L_748))+(int32_t)((L_749)->GetAt(static_cast<il2cpp_array_size_t>(L_750)))))+(int32_t)((L_751)->GetAt(static_cast<il2cpp_array_size_t>(L_752))))))); uint32_t L_753 = V_3; uint32_t L_754 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_753<<(int32_t)((int32_t)10)))|(int32_t)((int32_t)((uint32_t)L_754>>((int32_t)22))))); uint32_t L_755 = V_3; uint32_t L_756 = V_0; V_3 = ((int32_t)((int32_t)L_755+(int32_t)L_756)); uint32_t L_757 = V_2; uint32_t L_758 = V_1; uint32_t L_759 = V_3; uint32_t L_760 = V_0; UInt32U5BU5D_t2133601851* L_761 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_761); IL2CPP_ARRAY_BOUNDS_CHECK(L_761, ((int32_t)58)); int32_t L_762 = ((int32_t)58); UInt32U5BU5D_t2133601851* L_763 = __this->get_buff_5(); NullCheck(L_763); IL2CPP_ARRAY_BOUNDS_CHECK(L_763, 6); int32_t L_764 = 6; V_2 = ((int32_t)((int32_t)L_757+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_758))|(int32_t)L_759))^(int32_t)L_760))+(int32_t)((L_761)->GetAt(static_cast<il2cpp_array_size_t>(L_762)))))+(int32_t)((L_763)->GetAt(static_cast<il2cpp_array_size_t>(L_764))))))); uint32_t L_765 = V_2; uint32_t L_766 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_765<<(int32_t)((int32_t)15)))|(int32_t)((int32_t)((uint32_t)L_766>>((int32_t)17))))); uint32_t L_767 = V_2; uint32_t L_768 = V_3; V_2 = ((int32_t)((int32_t)L_767+(int32_t)L_768)); uint32_t L_769 = V_1; uint32_t L_770 = V_0; uint32_t L_771 = V_2; uint32_t L_772 = V_3; UInt32U5BU5D_t2133601851* L_773 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_773); IL2CPP_ARRAY_BOUNDS_CHECK(L_773, ((int32_t)59)); int32_t L_774 = ((int32_t)59); UInt32U5BU5D_t2133601851* L_775 = __this->get_buff_5(); NullCheck(L_775); IL2CPP_ARRAY_BOUNDS_CHECK(L_775, ((int32_t)13)); int32_t L_776 = ((int32_t)13); V_1 = ((int32_t)((int32_t)L_769+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_770))|(int32_t)L_771))^(int32_t)L_772))+(int32_t)((L_773)->GetAt(static_cast<il2cpp_array_size_t>(L_774)))))+(int32_t)((L_775)->GetAt(static_cast<il2cpp_array_size_t>(L_776))))))); uint32_t L_777 = V_1; uint32_t L_778 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_777<<(int32_t)((int32_t)21)))|(int32_t)((int32_t)((uint32_t)L_778>>((int32_t)11))))); uint32_t L_779 = V_1; uint32_t L_780 = V_2; V_1 = ((int32_t)((int32_t)L_779+(int32_t)L_780)); uint32_t L_781 = V_0; uint32_t L_782 = V_3; uint32_t L_783 = V_1; uint32_t L_784 = V_2; UInt32U5BU5D_t2133601851* L_785 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_785); IL2CPP_ARRAY_BOUNDS_CHECK(L_785, ((int32_t)60)); int32_t L_786 = ((int32_t)60); UInt32U5BU5D_t2133601851* L_787 = __this->get_buff_5(); NullCheck(L_787); IL2CPP_ARRAY_BOUNDS_CHECK(L_787, 4); int32_t L_788 = 4; V_0 = ((int32_t)((int32_t)L_781+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_782))|(int32_t)L_783))^(int32_t)L_784))+(int32_t)((L_785)->GetAt(static_cast<il2cpp_array_size_t>(L_786)))))+(int32_t)((L_787)->GetAt(static_cast<il2cpp_array_size_t>(L_788))))))); uint32_t L_789 = V_0; uint32_t L_790 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_789<<(int32_t)6))|(int32_t)((int32_t)((uint32_t)L_790>>((int32_t)26))))); uint32_t L_791 = V_0; uint32_t L_792 = V_1; V_0 = ((int32_t)((int32_t)L_791+(int32_t)L_792)); uint32_t L_793 = V_3; uint32_t L_794 = V_2; uint32_t L_795 = V_0; uint32_t L_796 = V_1; UInt32U5BU5D_t2133601851* L_797 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_797); IL2CPP_ARRAY_BOUNDS_CHECK(L_797, ((int32_t)61)); int32_t L_798 = ((int32_t)61); UInt32U5BU5D_t2133601851* L_799 = __this->get_buff_5(); NullCheck(L_799); IL2CPP_ARRAY_BOUNDS_CHECK(L_799, ((int32_t)11)); int32_t L_800 = ((int32_t)11); V_3 = ((int32_t)((int32_t)L_793+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_794))|(int32_t)L_795))^(int32_t)L_796))+(int32_t)((L_797)->GetAt(static_cast<il2cpp_array_size_t>(L_798)))))+(int32_t)((L_799)->GetAt(static_cast<il2cpp_array_size_t>(L_800))))))); uint32_t L_801 = V_3; uint32_t L_802 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_801<<(int32_t)((int32_t)10)))|(int32_t)((int32_t)((uint32_t)L_802>>((int32_t)22))))); uint32_t L_803 = V_3; uint32_t L_804 = V_0; V_3 = ((int32_t)((int32_t)L_803+(int32_t)L_804)); uint32_t L_805 = V_2; uint32_t L_806 = V_1; uint32_t L_807 = V_3; uint32_t L_808 = V_0; UInt32U5BU5D_t2133601851* L_809 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_809); IL2CPP_ARRAY_BOUNDS_CHECK(L_809, ((int32_t)62)); int32_t L_810 = ((int32_t)62); UInt32U5BU5D_t2133601851* L_811 = __this->get_buff_5(); NullCheck(L_811); IL2CPP_ARRAY_BOUNDS_CHECK(L_811, 2); int32_t L_812 = 2; V_2 = ((int32_t)((int32_t)L_805+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_806))|(int32_t)L_807))^(int32_t)L_808))+(int32_t)((L_809)->GetAt(static_cast<il2cpp_array_size_t>(L_810)))))+(int32_t)((L_811)->GetAt(static_cast<il2cpp_array_size_t>(L_812))))))); uint32_t L_813 = V_2; uint32_t L_814 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_813<<(int32_t)((int32_t)15)))|(int32_t)((int32_t)((uint32_t)L_814>>((int32_t)17))))); uint32_t L_815 = V_2; uint32_t L_816 = V_3; V_2 = ((int32_t)((int32_t)L_815+(int32_t)L_816)); uint32_t L_817 = V_1; uint32_t L_818 = V_0; uint32_t L_819 = V_2; uint32_t L_820 = V_3; UInt32U5BU5D_t2133601851* L_821 = ((MD5CryptoServiceProvider_t2380770080_StaticFields*)MD5CryptoServiceProvider_t2380770080_il2cpp_TypeInfo_var->static_fields)->get_K_9(); NullCheck(L_821); IL2CPP_ARRAY_BOUNDS_CHECK(L_821, ((int32_t)63)); int32_t L_822 = ((int32_t)63); UInt32U5BU5D_t2133601851* L_823 = __this->get_buff_5(); NullCheck(L_823); IL2CPP_ARRAY_BOUNDS_CHECK(L_823, ((int32_t)9)); int32_t L_824 = ((int32_t)9); V_1 = ((int32_t)((int32_t)L_817+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((~L_818))|(int32_t)L_819))^(int32_t)L_820))+(int32_t)((L_821)->GetAt(static_cast<il2cpp_array_size_t>(L_822)))))+(int32_t)((L_823)->GetAt(static_cast<il2cpp_array_size_t>(L_824))))))); uint32_t L_825 = V_1; uint32_t L_826 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_825<<(int32_t)((int32_t)21)))|(int32_t)((int32_t)((uint32_t)L_826>>((int32_t)11))))); uint32_t L_827 = V_1; uint32_t L_828 = V_2; V_1 = ((int32_t)((int32_t)L_827+(int32_t)L_828)); UInt32U5BU5D_t2133601851* L_829 = __this->get__H_4(); NullCheck(L_829); IL2CPP_ARRAY_BOUNDS_CHECK(L_829, 0); uint32_t* L_830 = ((L_829)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))); uint32_t L_831 = V_0; *((int32_t*)(L_830)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_830))+(int32_t)L_831)); UInt32U5BU5D_t2133601851* L_832 = __this->get__H_4(); NullCheck(L_832); IL2CPP_ARRAY_BOUNDS_CHECK(L_832, 1); uint32_t* L_833 = ((L_832)->GetAddressAt(static_cast<il2cpp_array_size_t>(1))); uint32_t L_834 = V_1; *((int32_t*)(L_833)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_833))+(int32_t)L_834)); UInt32U5BU5D_t2133601851* L_835 = __this->get__H_4(); NullCheck(L_835); IL2CPP_ARRAY_BOUNDS_CHECK(L_835, 2); uint32_t* L_836 = ((L_835)->GetAddressAt(static_cast<il2cpp_array_size_t>(2))); uint32_t L_837 = V_2; *((int32_t*)(L_836)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_836))+(int32_t)L_837)); UInt32U5BU5D_t2133601851* L_838 = __this->get__H_4(); NullCheck(L_838); IL2CPP_ARRAY_BOUNDS_CHECK(L_838, 3); uint32_t* L_839 = ((L_838)->GetAddressAt(static_cast<il2cpp_array_size_t>(3))); uint32_t L_840 = V_3; *((int32_t*)(L_839)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_839))+(int32_t)L_840)); return; } } // System.Void System.Security.Cryptography.MD5CryptoServiceProvider::ProcessFinalBlock(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t MD5CryptoServiceProvider_ProcessFinalBlock_m2458243595_MetadataUsageId; extern "C" void MD5CryptoServiceProvider_ProcessFinalBlock_m2458243595 (MD5CryptoServiceProvider_t2380770080 * __this, ByteU5BU5D_t58506160* ___inputBuffer, int32_t ___inputOffset, int32_t ___inputCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (MD5CryptoServiceProvider_ProcessFinalBlock_m2458243595_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint64_t V_0 = 0; int32_t V_1 = 0; ByteU5BU5D_t58506160* V_2 = NULL; int32_t V_3 = 0; int32_t V_4 = 0; uint64_t V_5 = 0; { uint64_t L_0 = __this->get_count_6(); int32_t L_1 = ___inputCount; V_0 = ((int64_t)((int64_t)L_0+(int64_t)(((int64_t)((int64_t)L_1))))); uint64_t L_2 = V_0; V_1 = (((int32_t)((int32_t)((int64_t)((int64_t)(((int64_t)((int64_t)((int32_t)56))))-(int64_t)((int64_t)((uint64_t)(int64_t)L_2%(uint64_t)(int64_t)(((int64_t)((int64_t)((int32_t)64))))))))))); int32_t L_3 = V_1; if ((((int32_t)L_3) >= ((int32_t)1))) { goto IL_0021; } } { int32_t L_4 = V_1; V_1 = ((int32_t)((int32_t)L_4+(int32_t)((int32_t)64))); } IL_0021: { int32_t L_5 = ___inputCount; int32_t L_6 = V_1; V_2 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6))+(int32_t)8)))); V_3 = 0; goto IL_003f; } IL_0033: { ByteU5BU5D_t58506160* L_7 = V_2; int32_t L_8 = V_3; ByteU5BU5D_t58506160* L_9 = ___inputBuffer; int32_t L_10 = V_3; int32_t L_11 = ___inputOffset; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, ((int32_t)((int32_t)L_10+(int32_t)L_11))); int32_t L_12 = ((int32_t)((int32_t)L_10+(int32_t)L_11)); NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, L_8); (L_7)->SetAt(static_cast<il2cpp_array_size_t>(L_8), (uint8_t)((L_9)->GetAt(static_cast<il2cpp_array_size_t>(L_12)))); int32_t L_13 = V_3; V_3 = ((int32_t)((int32_t)L_13+(int32_t)1)); } IL_003f: { int32_t L_14 = V_3; int32_t L_15 = ___inputCount; if ((((int32_t)L_14) < ((int32_t)L_15))) { goto IL_0033; } } { ByteU5BU5D_t58506160* L_16 = V_2; int32_t L_17 = ___inputCount; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, L_17); (L_16)->SetAt(static_cast<il2cpp_array_size_t>(L_17), (uint8_t)((int32_t)128)); int32_t L_18 = ___inputCount; V_4 = ((int32_t)((int32_t)L_18+(int32_t)1)); goto IL_0063; } IL_0058: { ByteU5BU5D_t58506160* L_19 = V_2; int32_t L_20 = V_4; NullCheck(L_19); IL2CPP_ARRAY_BOUNDS_CHECK(L_19, L_20); (L_19)->SetAt(static_cast<il2cpp_array_size_t>(L_20), (uint8_t)0); int32_t L_21 = V_4; V_4 = ((int32_t)((int32_t)L_21+(int32_t)1)); } IL_0063: { int32_t L_22 = V_4; int32_t L_23 = ___inputCount; int32_t L_24 = V_1; if ((((int32_t)L_22) < ((int32_t)((int32_t)((int32_t)L_23+(int32_t)L_24))))) { goto IL_0058; } } { uint64_t L_25 = V_0; V_5 = ((int64_t)((int64_t)L_25<<(int32_t)3)); uint64_t L_26 = V_5; ByteU5BU5D_t58506160* L_27 = V_2; int32_t L_28 = ___inputCount; int32_t L_29 = V_1; MD5CryptoServiceProvider_AddLength_m3224905112(__this, L_26, L_27, ((int32_t)((int32_t)L_28+(int32_t)L_29)), /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_30 = V_2; MD5CryptoServiceProvider_ProcessBlock_m1355255830(__this, L_30, 0, /*hidden argument*/NULL); int32_t L_31 = ___inputCount; int32_t L_32 = V_1; if ((!(((uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_31+(int32_t)L_32))+(int32_t)8))) == ((uint32_t)((int32_t)128))))) { goto IL_009e; } } { ByteU5BU5D_t58506160* L_33 = V_2; MD5CryptoServiceProvider_ProcessBlock_m1355255830(__this, L_33, ((int32_t)64), /*hidden argument*/NULL); } IL_009e: { return; } } // System.Void System.Security.Cryptography.MD5CryptoServiceProvider::AddLength(System.UInt64,System.Byte[],System.Int32) extern "C" void MD5CryptoServiceProvider_AddLength_m3224905112 (MD5CryptoServiceProvider_t2380770080 * __this, uint64_t ___length, ByteU5BU5D_t58506160* ___buffer, int32_t ___position, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = ___buffer; int32_t L_1 = ___position; int32_t L_2 = L_1; ___position = ((int32_t)((int32_t)L_2+(int32_t)1)); uint64_t L_3 = ___length; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_2); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_2), (uint8_t)(((int32_t)((uint8_t)L_3)))); ByteU5BU5D_t58506160* L_4 = ___buffer; int32_t L_5 = ___position; int32_t L_6 = L_5; ___position = ((int32_t)((int32_t)L_6+(int32_t)1)); uint64_t L_7 = ___length; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, L_6); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(L_6), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_7>>8)))))); ByteU5BU5D_t58506160* L_8 = ___buffer; int32_t L_9 = ___position; int32_t L_10 = L_9; ___position = ((int32_t)((int32_t)L_10+(int32_t)1)); uint64_t L_11 = ___length; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, L_10); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(L_10), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_11>>((int32_t)16))))))); ByteU5BU5D_t58506160* L_12 = ___buffer; int32_t L_13 = ___position; int32_t L_14 = L_13; ___position = ((int32_t)((int32_t)L_14+(int32_t)1)); uint64_t L_15 = ___length; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, L_14); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(L_14), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_15>>((int32_t)24))))))); ByteU5BU5D_t58506160* L_16 = ___buffer; int32_t L_17 = ___position; int32_t L_18 = L_17; ___position = ((int32_t)((int32_t)L_18+(int32_t)1)); uint64_t L_19 = ___length; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, L_18); (L_16)->SetAt(static_cast<il2cpp_array_size_t>(L_18), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_19>>((int32_t)32))))))); ByteU5BU5D_t58506160* L_20 = ___buffer; int32_t L_21 = ___position; int32_t L_22 = L_21; ___position = ((int32_t)((int32_t)L_22+(int32_t)1)); uint64_t L_23 = ___length; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, L_22); (L_20)->SetAt(static_cast<il2cpp_array_size_t>(L_22), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_23>>((int32_t)40))))))); ByteU5BU5D_t58506160* L_24 = ___buffer; int32_t L_25 = ___position; int32_t L_26 = L_25; ___position = ((int32_t)((int32_t)L_26+(int32_t)1)); uint64_t L_27 = ___length; NullCheck(L_24); IL2CPP_ARRAY_BOUNDS_CHECK(L_24, L_26); (L_24)->SetAt(static_cast<il2cpp_array_size_t>(L_26), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_27>>((int32_t)48))))))); ByteU5BU5D_t58506160* L_28 = ___buffer; int32_t L_29 = ___position; uint64_t L_30 = ___length; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, L_29); (L_28)->SetAt(static_cast<il2cpp_array_size_t>(L_29), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_30>>((int32_t)56))))))); return; } } // System.Void System.Security.Cryptography.RandomNumberGenerator::.ctor() extern "C" void RandomNumberGenerator__ctor_m2911340286 (RandomNumberGenerator_t2174318432 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Security.Cryptography.RandomNumberGenerator System.Security.Cryptography.RandomNumberGenerator::Create() extern Il2CppCodeGenString* _stringLiteral200189684; extern const uint32_t RandomNumberGenerator_Create_m2029084057_MetadataUsageId; extern "C" RandomNumberGenerator_t2174318432 * RandomNumberGenerator_Create_m2029084057 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RandomNumberGenerator_Create_m2029084057_MetadataUsageId); s_Il2CppMethodIntialized = true; } { RandomNumberGenerator_t2174318432 * L_0 = RandomNumberGenerator_Create_m3168592393(NULL /*static, unused*/, _stringLiteral200189684, /*hidden argument*/NULL); return L_0; } } // System.Security.Cryptography.RandomNumberGenerator System.Security.Cryptography.RandomNumberGenerator::Create(System.String) extern TypeInfo* CryptoConfig_t2102571196_il2cpp_TypeInfo_var; extern TypeInfo* RandomNumberGenerator_t2174318432_il2cpp_TypeInfo_var; extern const uint32_t RandomNumberGenerator_Create_m3168592393_MetadataUsageId; extern "C" RandomNumberGenerator_t2174318432 * RandomNumberGenerator_Create_m3168592393 (Il2CppObject * __this /* static, unused */, String_t* ___rngName, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RandomNumberGenerator_Create_m3168592393_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___rngName; IL2CPP_RUNTIME_CLASS_INIT(CryptoConfig_t2102571196_il2cpp_TypeInfo_var); Il2CppObject * L_1 = CryptoConfig_CreateFromName_m3477093824(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); return ((RandomNumberGenerator_t2174318432 *)CastclassClass(L_1, RandomNumberGenerator_t2174318432_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.RC2::.ctor() extern TypeInfo* KeySizesU5BU5D_t1304982661_il2cpp_TypeInfo_var; extern TypeInfo* KeySizes_t2111859404_il2cpp_TypeInfo_var; extern const uint32_t RC2__ctor_m3351287492_MetadataUsageId; extern "C" void RC2__ctor_m3351287492 (RC2_t1557564762 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RC2__ctor_m3351287492_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SymmetricAlgorithm__ctor_m3015042793(__this, /*hidden argument*/NULL); ((SymmetricAlgorithm_t839208017 *)__this)->set_KeySizeValue_2(((int32_t)128)); ((SymmetricAlgorithm_t839208017 *)__this)->set_BlockSizeValue_0(((int32_t)64)); ((SymmetricAlgorithm_t839208017 *)__this)->set_FeedbackSizeValue_6(8); ((SymmetricAlgorithm_t839208017 *)__this)->set_LegalKeySizesValue_5(((KeySizesU5BU5D_t1304982661*)SZArrayNew(KeySizesU5BU5D_t1304982661_il2cpp_TypeInfo_var, (uint32_t)1))); KeySizesU5BU5D_t1304982661* L_0 = ((SymmetricAlgorithm_t839208017 *)__this)->get_LegalKeySizesValue_5(); KeySizes_t2111859404 * L_1 = (KeySizes_t2111859404 *)il2cpp_codegen_object_new(KeySizes_t2111859404_il2cpp_TypeInfo_var); KeySizes__ctor_m428291391(L_1, ((int32_t)40), ((int32_t)128), 8, /*hidden argument*/NULL); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); ArrayElementTypeCheck (L_0, L_1); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (KeySizes_t2111859404 *)L_1); ((SymmetricAlgorithm_t839208017 *)__this)->set_LegalBlockSizesValue_4(((KeySizesU5BU5D_t1304982661*)SZArrayNew(KeySizesU5BU5D_t1304982661_il2cpp_TypeInfo_var, (uint32_t)1))); KeySizesU5BU5D_t1304982661* L_2 = ((SymmetricAlgorithm_t839208017 *)__this)->get_LegalBlockSizesValue_4(); KeySizes_t2111859404 * L_3 = (KeySizes_t2111859404 *)il2cpp_codegen_object_new(KeySizes_t2111859404_il2cpp_TypeInfo_var); KeySizes__ctor_m428291391(L_3, ((int32_t)64), ((int32_t)64), 0, /*hidden argument*/NULL); NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 0); ArrayElementTypeCheck (L_2, L_3); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(0), (KeySizes_t2111859404 *)L_3); return; } } // System.Security.Cryptography.RC2 System.Security.Cryptography.RC2::Create() extern Il2CppCodeGenString* _stringLiteral909329966; extern const uint32_t RC2_Create_m1909558745_MetadataUsageId; extern "C" RC2_t1557564762 * RC2_Create_m1909558745 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RC2_Create_m1909558745_MetadataUsageId); s_Il2CppMethodIntialized = true; } { RC2_t1557564762 * L_0 = RC2_Create_m1027414473(NULL /*static, unused*/, _stringLiteral909329966, /*hidden argument*/NULL); return L_0; } } // System.Security.Cryptography.RC2 System.Security.Cryptography.RC2::Create(System.String) extern TypeInfo* CryptoConfig_t2102571196_il2cpp_TypeInfo_var; extern TypeInfo* RC2_t1557564762_il2cpp_TypeInfo_var; extern const uint32_t RC2_Create_m1027414473_MetadataUsageId; extern "C" RC2_t1557564762 * RC2_Create_m1027414473 (Il2CppObject * __this /* static, unused */, String_t* ___AlgName, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RC2_Create_m1027414473_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___AlgName; IL2CPP_RUNTIME_CLASS_INIT(CryptoConfig_t2102571196_il2cpp_TypeInfo_var); Il2CppObject * L_1 = CryptoConfig_CreateFromName_m3477093824(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); return ((RC2_t1557564762 *)CastclassClass(L_1, RC2_t1557564762_il2cpp_TypeInfo_var)); } } // System.Int32 System.Security.Cryptography.RC2::get_EffectiveKeySize() extern "C" int32_t RC2_get_EffectiveKeySize_m825827518 (RC2_t1557564762 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get_EffectiveKeySizeValue_10(); if (L_0) { goto IL_0012; } } { int32_t L_1 = ((SymmetricAlgorithm_t839208017 *)__this)->get_KeySizeValue_2(); return L_1; } IL_0012: { int32_t L_2 = __this->get_EffectiveKeySizeValue_10(); return L_2; } } // System.Int32 System.Security.Cryptography.RC2::get_KeySize() extern "C" int32_t RC2_get_KeySize_m4162312413 (RC2_t1557564762 * __this, const MethodInfo* method) { { int32_t L_0 = SymmetricAlgorithm_get_KeySize_m3649844218(__this, /*hidden argument*/NULL); return L_0; } } // System.Void System.Security.Cryptography.RC2::set_KeySize(System.Int32) extern "C" void RC2_set_KeySize_m3085280342 (RC2_t1557564762 * __this, int32_t ___value, const MethodInfo* method) { { int32_t L_0 = ___value; SymmetricAlgorithm_set_KeySize_m1757877563(__this, L_0, /*hidden argument*/NULL); int32_t L_1 = ___value; __this->set_EffectiveKeySizeValue_10(L_1); return; } } // System.Void System.Security.Cryptography.RC2CryptoServiceProvider::.ctor() extern "C" void RC2CryptoServiceProvider__ctor_m1138654685 (RC2CryptoServiceProvider_t2620173405 * __this, const MethodInfo* method) { { RC2__ctor_m3351287492(__this, /*hidden argument*/NULL); return; } } // System.Int32 System.Security.Cryptography.RC2CryptoServiceProvider::get_EffectiveKeySize() extern "C" int32_t RC2CryptoServiceProvider_get_EffectiveKeySize_m741031373 (RC2CryptoServiceProvider_t2620173405 * __this, const MethodInfo* method) { { int32_t L_0 = RC2_get_EffectiveKeySize_m825827518(__this, /*hidden argument*/NULL); return L_0; } } // System.Security.Cryptography.ICryptoTransform System.Security.Cryptography.RC2CryptoServiceProvider::CreateDecryptor(System.Byte[],System.Byte[]) extern TypeInfo* RC2Transform_t941602180_il2cpp_TypeInfo_var; extern const uint32_t RC2CryptoServiceProvider_CreateDecryptor_m1062427871_MetadataUsageId; extern "C" Il2CppObject * RC2CryptoServiceProvider_CreateDecryptor_m1062427871 (RC2CryptoServiceProvider_t2620173405 * __this, ByteU5BU5D_t58506160* ___rgbKey, ByteU5BU5D_t58506160* ___rgbIV, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RC2CryptoServiceProvider_CreateDecryptor_m1062427871_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___rgbKey; ByteU5BU5D_t58506160* L_1 = ___rgbIV; RC2Transform_t941602180 * L_2 = (RC2Transform_t941602180 *)il2cpp_codegen_object_new(RC2Transform_t941602180_il2cpp_TypeInfo_var); RC2Transform__ctor_m3390235803(L_2, __this, (bool)0, L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Security.Cryptography.ICryptoTransform System.Security.Cryptography.RC2CryptoServiceProvider::CreateEncryptor(System.Byte[],System.Byte[]) extern TypeInfo* RC2Transform_t941602180_il2cpp_TypeInfo_var; extern const uint32_t RC2CryptoServiceProvider_CreateEncryptor_m1368156423_MetadataUsageId; extern "C" Il2CppObject * RC2CryptoServiceProvider_CreateEncryptor_m1368156423 (RC2CryptoServiceProvider_t2620173405 * __this, ByteU5BU5D_t58506160* ___rgbKey, ByteU5BU5D_t58506160* ___rgbIV, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RC2CryptoServiceProvider_CreateEncryptor_m1368156423_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___rgbKey; ByteU5BU5D_t58506160* L_1 = ___rgbIV; RC2Transform_t941602180 * L_2 = (RC2Transform_t941602180 *)il2cpp_codegen_object_new(RC2Transform_t941602180_il2cpp_TypeInfo_var); RC2Transform__ctor_m3390235803(L_2, __this, (bool)1, L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Void System.Security.Cryptography.RC2CryptoServiceProvider::GenerateIV() extern "C" void RC2CryptoServiceProvider_GenerateIV_m4034172969 (RC2CryptoServiceProvider_t2620173405 * __this, const MethodInfo* method) { { int32_t L_0 = ((SymmetricAlgorithm_t839208017 *)__this)->get_BlockSizeValue_0(); ByteU5BU5D_t58506160* L_1 = KeyBuilder_IV_m3476112319(NULL /*static, unused*/, ((int32_t)((int32_t)L_0>>(int32_t)3)), /*hidden argument*/NULL); ((SymmetricAlgorithm_t839208017 *)__this)->set_IVValue_1(L_1); return; } } // System.Void System.Security.Cryptography.RC2CryptoServiceProvider::GenerateKey() extern "C" void RC2CryptoServiceProvider_GenerateKey_m507682213 (RC2CryptoServiceProvider_t2620173405 * __this, const MethodInfo* method) { { int32_t L_0 = ((SymmetricAlgorithm_t839208017 *)__this)->get_KeySizeValue_2(); ByteU5BU5D_t58506160* L_1 = KeyBuilder_Key_m180785233(NULL /*static, unused*/, ((int32_t)((int32_t)L_0>>(int32_t)3)), /*hidden argument*/NULL); ((SymmetricAlgorithm_t839208017 *)__this)->set_KeyValue_3(L_1); return; } } // System.Void System.Security.Cryptography.RC2Transform::.ctor(System.Security.Cryptography.RC2,System.Boolean,System.Byte[],System.Byte[]) extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern TypeInfo* Int32_t2847414787_il2cpp_TypeInfo_var; extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern TypeInfo* RC2Transform_t941602180_il2cpp_TypeInfo_var; extern TypeInfo* UInt16U5BU5D_t3999484061_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2280897852; extern const uint32_t RC2Transform__ctor_m3390235803_MetadataUsageId; extern "C" void RC2Transform__ctor_m3390235803 (RC2Transform_t941602180 * __this, RC2_t1557564762 * ___rc2Algo, bool ___encryption, ByteU5BU5D_t58506160* ___key, ByteU5BU5D_t58506160* ___iv, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RC2Transform__ctor_m3390235803_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; String_t* V_2 = NULL; ByteU5BU5D_t58506160* V_3 = NULL; int32_t V_4 = 0; int32_t V_5 = 0; int32_t V_6 = 0; int32_t V_7 = 0; int32_t V_8 = 0; int32_t V_9 = 0; int32_t V_10 = 0; { RC2_t1557564762 * L_0 = ___rc2Algo; bool L_1 = ___encryption; ByteU5BU5D_t58506160* L_2 = ___iv; SymmetricTransform__ctor_m1475215417(__this, L_0, L_1, L_2, /*hidden argument*/NULL); RC2_t1557564762 * L_3 = ___rc2Algo; NullCheck(L_3); int32_t L_4 = VirtFuncInvoker0< int32_t >::Invoke(26 /* System.Int32 System.Security.Cryptography.RC2::get_EffectiveKeySize() */, L_3); V_0 = L_4; ByteU5BU5D_t58506160* L_5 = ___key; if (L_5) { goto IL_002b; } } { RC2_t1557564762 * L_6 = ___rc2Algo; NullCheck(L_6); int32_t L_7 = VirtFuncInvoker0< int32_t >::Invoke(13 /* System.Int32 System.Security.Cryptography.RC2::get_KeySize() */, L_6); ByteU5BU5D_t58506160* L_8 = KeyBuilder_Key_m180785233(NULL /*static, unused*/, ((int32_t)((int32_t)L_7>>(int32_t)3)), /*hidden argument*/NULL); ___key = L_8; goto IL_0044; } IL_002b: { ByteU5BU5D_t58506160* L_9 = ___key; NullCheck((Il2CppArray *)(Il2CppArray *)L_9); Il2CppObject * L_10 = VirtFuncInvoker0< Il2CppObject * >::Invoke(5 /* System.Object System.Array::Clone() */, (Il2CppArray *)(Il2CppArray *)L_9); ___key = ((ByteU5BU5D_t58506160*)Castclass(L_10, ByteU5BU5D_t58506160_il2cpp_TypeInfo_var)); int32_t L_11 = V_0; ByteU5BU5D_t58506160* L_12 = ___key; NullCheck(L_12); int32_t L_13 = Math_Min_m811624909(NULL /*static, unused*/, L_11, ((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_12)->max_length))))<<(int32_t)3)), /*hidden argument*/NULL); V_0 = L_13; } IL_0044: { ByteU5BU5D_t58506160* L_14 = ___key; NullCheck(L_14); V_1 = (((int32_t)((int32_t)(((Il2CppArray *)L_14)->max_length)))); RC2_t1557564762 * L_15 = ___rc2Algo; NullCheck(L_15); KeySizesU5BU5D_t1304982661* L_16 = VirtFuncInvoker0< KeySizesU5BU5D_t1304982661* >::Invoke(15 /* System.Security.Cryptography.KeySizes[] System.Security.Cryptography.SymmetricAlgorithm::get_LegalKeySizes() */, L_15); int32_t L_17 = V_1; bool L_18 = KeySizes_IsLegalKeySize_m620693618(NULL /*static, unused*/, L_16, ((int32_t)((int32_t)L_17<<(int32_t)3)), /*hidden argument*/NULL); if (L_18) { goto IL_008f; } } { ObjectU5BU5D_t11523773* L_19 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)3)); int32_t L_20 = V_1; int32_t L_21 = L_20; Il2CppObject * L_22 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_21); NullCheck(L_19); IL2CPP_ARRAY_BOUNDS_CHECK(L_19, 0); ArrayElementTypeCheck (L_19, L_22); (L_19)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_22); ObjectU5BU5D_t11523773* L_23 = L_19; int32_t L_24 = 5; Il2CppObject * L_25 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_24); NullCheck(L_23); IL2CPP_ARRAY_BOUNDS_CHECK(L_23, 1); ArrayElementTypeCheck (L_23, L_25); (L_23)->SetAt(static_cast<il2cpp_array_size_t>(1), (Il2CppObject *)L_25); ObjectU5BU5D_t11523773* L_26 = L_23; int32_t L_27 = ((int32_t)16); Il2CppObject * L_28 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_27); NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, 2); ArrayElementTypeCheck (L_26, L_28); (L_26)->SetAt(static_cast<il2cpp_array_size_t>(2), (Il2CppObject *)L_28); String_t* L_29 = Locale_GetText_m2218462520(NULL /*static, unused*/, _stringLiteral2280897852, L_26, /*hidden argument*/NULL); V_2 = L_29; String_t* L_30 = V_2; CryptographicException_t3718270561 * L_31 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_31, L_30, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_31); } IL_008f: { V_3 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)128))); int32_t L_32 = V_0; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)L_32+(int32_t)7))>>(int32_t)3)); int32_t L_33 = V_0; int32_t L_34 = V_4; V_5 = ((int32_t)((int32_t)((int32_t)255)%(int32_t)((int32_t)((int32_t)2<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)8+(int32_t)L_33))-(int32_t)((int32_t)((int32_t)L_34<<(int32_t)3))))-(int32_t)1))&(int32_t)((int32_t)31))))))); V_6 = 0; goto IL_00ce; } IL_00c0: { ByteU5BU5D_t58506160* L_35 = V_3; int32_t L_36 = V_6; ByteU5BU5D_t58506160* L_37 = ___key; int32_t L_38 = V_6; NullCheck(L_37); IL2CPP_ARRAY_BOUNDS_CHECK(L_37, L_38); int32_t L_39 = L_38; NullCheck(L_35); IL2CPP_ARRAY_BOUNDS_CHECK(L_35, L_36); (L_35)->SetAt(static_cast<il2cpp_array_size_t>(L_36), (uint8_t)((L_37)->GetAt(static_cast<il2cpp_array_size_t>(L_39)))); int32_t L_40 = V_6; V_6 = ((int32_t)((int32_t)L_40+(int32_t)1)); } IL_00ce: { int32_t L_41 = V_6; int32_t L_42 = V_1; if ((((int32_t)L_41) < ((int32_t)L_42))) { goto IL_00c0; } } { int32_t L_43 = V_1; V_7 = L_43; goto IL_0101; } IL_00de: { ByteU5BU5D_t58506160* L_44 = V_3; int32_t L_45 = V_7; IL2CPP_RUNTIME_CLASS_INIT(RC2Transform_t941602180_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_46 = ((RC2Transform_t941602180_StaticFields*)RC2Transform_t941602180_il2cpp_TypeInfo_var->static_fields)->get_pitable_18(); ByteU5BU5D_t58506160* L_47 = V_3; int32_t L_48 = V_7; NullCheck(L_47); IL2CPP_ARRAY_BOUNDS_CHECK(L_47, ((int32_t)((int32_t)L_48-(int32_t)1))); int32_t L_49 = ((int32_t)((int32_t)L_48-(int32_t)1)); ByteU5BU5D_t58506160* L_50 = V_3; int32_t L_51 = V_7; int32_t L_52 = V_1; NullCheck(L_50); IL2CPP_ARRAY_BOUNDS_CHECK(L_50, ((int32_t)((int32_t)L_51-(int32_t)L_52))); int32_t L_53 = ((int32_t)((int32_t)L_51-(int32_t)L_52)); NullCheck(L_46); IL2CPP_ARRAY_BOUNDS_CHECK(L_46, ((int32_t)((int32_t)((int32_t)((int32_t)((L_47)->GetAt(static_cast<il2cpp_array_size_t>(L_49)))+(int32_t)((L_50)->GetAt(static_cast<il2cpp_array_size_t>(L_53)))))&(int32_t)((int32_t)255)))); int32_t L_54 = ((int32_t)((int32_t)((int32_t)((int32_t)((L_47)->GetAt(static_cast<il2cpp_array_size_t>(L_49)))+(int32_t)((L_50)->GetAt(static_cast<il2cpp_array_size_t>(L_53)))))&(int32_t)((int32_t)255))); NullCheck(L_44); IL2CPP_ARRAY_BOUNDS_CHECK(L_44, L_45); (L_44)->SetAt(static_cast<il2cpp_array_size_t>(L_45), (uint8_t)((L_46)->GetAt(static_cast<il2cpp_array_size_t>(L_54)))); int32_t L_55 = V_7; V_7 = ((int32_t)((int32_t)L_55+(int32_t)1)); } IL_0101: { int32_t L_56 = V_7; if ((((int32_t)L_56) < ((int32_t)((int32_t)128)))) { goto IL_00de; } } { ByteU5BU5D_t58506160* L_57 = V_3; int32_t L_58 = V_4; IL2CPP_RUNTIME_CLASS_INIT(RC2Transform_t941602180_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_59 = ((RC2Transform_t941602180_StaticFields*)RC2Transform_t941602180_il2cpp_TypeInfo_var->static_fields)->get_pitable_18(); ByteU5BU5D_t58506160* L_60 = V_3; int32_t L_61 = V_4; NullCheck(L_60); IL2CPP_ARRAY_BOUNDS_CHECK(L_60, ((int32_t)((int32_t)((int32_t)128)-(int32_t)L_61))); int32_t L_62 = ((int32_t)((int32_t)((int32_t)128)-(int32_t)L_61)); int32_t L_63 = V_5; NullCheck(L_59); IL2CPP_ARRAY_BOUNDS_CHECK(L_59, ((int32_t)((int32_t)((L_60)->GetAt(static_cast<il2cpp_array_size_t>(L_62)))&(int32_t)L_63))); int32_t L_64 = ((int32_t)((int32_t)((L_60)->GetAt(static_cast<il2cpp_array_size_t>(L_62)))&(int32_t)L_63)); NullCheck(L_57); IL2CPP_ARRAY_BOUNDS_CHECK(L_57, ((int32_t)((int32_t)((int32_t)128)-(int32_t)L_58))); (L_57)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)((int32_t)128)-(int32_t)L_58))), (uint8_t)((L_59)->GetAt(static_cast<il2cpp_array_size_t>(L_64)))); int32_t L_65 = V_4; V_8 = ((int32_t)((int32_t)((int32_t)127)-(int32_t)L_65)); goto IL_0154; } IL_0136: { ByteU5BU5D_t58506160* L_66 = V_3; int32_t L_67 = V_8; IL2CPP_RUNTIME_CLASS_INIT(RC2Transform_t941602180_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_68 = ((RC2Transform_t941602180_StaticFields*)RC2Transform_t941602180_il2cpp_TypeInfo_var->static_fields)->get_pitable_18(); ByteU5BU5D_t58506160* L_69 = V_3; int32_t L_70 = V_8; NullCheck(L_69); IL2CPP_ARRAY_BOUNDS_CHECK(L_69, ((int32_t)((int32_t)L_70+(int32_t)1))); int32_t L_71 = ((int32_t)((int32_t)L_70+(int32_t)1)); ByteU5BU5D_t58506160* L_72 = V_3; int32_t L_73 = V_8; int32_t L_74 = V_4; NullCheck(L_72); IL2CPP_ARRAY_BOUNDS_CHECK(L_72, ((int32_t)((int32_t)L_73+(int32_t)L_74))); int32_t L_75 = ((int32_t)((int32_t)L_73+(int32_t)L_74)); NullCheck(L_68); IL2CPP_ARRAY_BOUNDS_CHECK(L_68, ((int32_t)((int32_t)((L_69)->GetAt(static_cast<il2cpp_array_size_t>(L_71)))^(int32_t)((L_72)->GetAt(static_cast<il2cpp_array_size_t>(L_75)))))); int32_t L_76 = ((int32_t)((int32_t)((L_69)->GetAt(static_cast<il2cpp_array_size_t>(L_71)))^(int32_t)((L_72)->GetAt(static_cast<il2cpp_array_size_t>(L_75))))); NullCheck(L_66); IL2CPP_ARRAY_BOUNDS_CHECK(L_66, L_67); (L_66)->SetAt(static_cast<il2cpp_array_size_t>(L_67), (uint8_t)((L_68)->GetAt(static_cast<il2cpp_array_size_t>(L_76)))); int32_t L_77 = V_8; V_8 = ((int32_t)((int32_t)L_77-(int32_t)1)); } IL_0154: { int32_t L_78 = V_8; if ((((int32_t)L_78) >= ((int32_t)0))) { goto IL_0136; } } { __this->set_K_16(((UInt16U5BU5D_t3999484061*)SZArrayNew(UInt16U5BU5D_t3999484061_il2cpp_TypeInfo_var, (uint32_t)((int32_t)64)))); V_9 = 0; V_10 = 0; goto IL_0199; } IL_0174: { UInt16U5BU5D_t3999484061* L_79 = __this->get_K_16(); int32_t L_80 = V_10; ByteU5BU5D_t58506160* L_81 = V_3; int32_t L_82 = V_9; int32_t L_83 = L_82; V_9 = ((int32_t)((int32_t)L_83+(int32_t)1)); NullCheck(L_81); IL2CPP_ARRAY_BOUNDS_CHECK(L_81, L_83); int32_t L_84 = L_83; ByteU5BU5D_t58506160* L_85 = V_3; int32_t L_86 = V_9; int32_t L_87 = L_86; V_9 = ((int32_t)((int32_t)L_87+(int32_t)1)); NullCheck(L_85); IL2CPP_ARRAY_BOUNDS_CHECK(L_85, L_87); int32_t L_88 = L_87; NullCheck(L_79); IL2CPP_ARRAY_BOUNDS_CHECK(L_79, L_80); (L_79)->SetAt(static_cast<il2cpp_array_size_t>(L_80), (uint16_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((L_81)->GetAt(static_cast<il2cpp_array_size_t>(L_84)))+(int32_t)((int32_t)((int32_t)((L_85)->GetAt(static_cast<il2cpp_array_size_t>(L_88)))<<(int32_t)8)))))))); int32_t L_89 = V_10; V_10 = ((int32_t)((int32_t)L_89+(int32_t)1)); } IL_0199: { int32_t L_90 = V_10; if ((((int32_t)L_90) < ((int32_t)((int32_t)64)))) { goto IL_0174; } } { return; } } // System.Void System.Security.Cryptography.RC2Transform::.cctor() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern TypeInfo* RC2Transform_t941602180_il2cpp_TypeInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D44_34_FieldInfo_var; extern const uint32_t RC2Transform__cctor_m754720983_MetadataUsageId; extern "C" void RC2Transform__cctor_m754720983 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RC2Transform__cctor_m754720983_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_0, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D44_34_FieldInfo_var), /*hidden argument*/NULL); ((RC2Transform_t941602180_StaticFields*)RC2Transform_t941602180_il2cpp_TypeInfo_var->static_fields)->set_pitable_18(L_0); return; } } // System.Void System.Security.Cryptography.RC2Transform::ECB(System.Byte[],System.Byte[]) extern "C" void RC2Transform_ECB_m224687124 (RC2Transform_t941602180 * __this, ByteU5BU5D_t58506160* ___input, ByteU5BU5D_t58506160* ___output, const MethodInfo* method) { int32_t V_0 = 0; { ByteU5BU5D_t58506160* L_0 = ___input; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); int32_t L_1 = 0; ByteU5BU5D_t58506160* L_2 = ___input; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 1); int32_t L_3 = 1; __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)((L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_1)))|(int32_t)((int32_t)((int32_t)((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_3)))<<(int32_t)8)))))))); ByteU5BU5D_t58506160* L_4 = ___input; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 2); int32_t L_5 = 2; ByteU5BU5D_t58506160* L_6 = ___input; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 3); int32_t L_7 = 3; __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_5)))|(int32_t)((int32_t)((int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))<<(int32_t)8)))))))); ByteU5BU5D_t58506160* L_8 = ___input; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, 4); int32_t L_9 = 4; ByteU5BU5D_t58506160* L_10 = ___input; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 5); int32_t L_11 = 5; __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)((L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_9)))|(int32_t)((int32_t)((int32_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_11)))<<(int32_t)8)))))))); ByteU5BU5D_t58506160* L_12 = ___input; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, 6); int32_t L_13 = 6; ByteU5BU5D_t58506160* L_14 = ___input; NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, 7); int32_t L_15 = 7; __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)((L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_13)))|(int32_t)((int32_t)((int32_t)((L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_15)))<<(int32_t)8)))))))); bool L_16 = ((SymmetricTransform_t3854241866 *)__this)->get_encrypt_1(); if (!L_16) { goto IL_05d9; } } { __this->set_j_17(0); goto IL_01cb; } IL_0057: { uint16_t L_17 = __this->get_R0_12(); UInt16U5BU5D_t3999484061* L_18 = __this->get_K_16(); int32_t L_19 = __this->get_j_17(); int32_t L_20 = L_19; V_0 = L_20; __this->set_j_17(((int32_t)((int32_t)L_20+(int32_t)1))); int32_t L_21 = V_0; NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, L_21); int32_t L_22 = L_21; uint16_t L_23 = __this->get_R3_15(); uint16_t L_24 = __this->get_R2_14(); uint16_t L_25 = __this->get_R3_15(); uint16_t L_26 = __this->get_R1_13(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)L_17+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_18)->GetAt(static_cast<il2cpp_array_size_t>(L_22)))+(int32_t)((int32_t)((int32_t)L_23&(int32_t)L_24))))+(int32_t)((int32_t)((int32_t)((~L_25))&(int32_t)L_26))))))))))))); uint16_t L_27 = __this->get_R0_12(); uint16_t L_28 = __this->get_R0_12(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_27<<(int32_t)1))|(int32_t)((int32_t)((int32_t)L_28>>(int32_t)((int32_t)15))))))))); uint16_t L_29 = __this->get_R1_13(); UInt16U5BU5D_t3999484061* L_30 = __this->get_K_16(); int32_t L_31 = __this->get_j_17(); int32_t L_32 = L_31; V_0 = L_32; __this->set_j_17(((int32_t)((int32_t)L_32+(int32_t)1))); int32_t L_33 = V_0; NullCheck(L_30); IL2CPP_ARRAY_BOUNDS_CHECK(L_30, L_33); int32_t L_34 = L_33; uint16_t L_35 = __this->get_R0_12(); uint16_t L_36 = __this->get_R3_15(); uint16_t L_37 = __this->get_R0_12(); uint16_t L_38 = __this->get_R2_14(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)L_29+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_30)->GetAt(static_cast<il2cpp_array_size_t>(L_34)))+(int32_t)((int32_t)((int32_t)L_35&(int32_t)L_36))))+(int32_t)((int32_t)((int32_t)((~L_37))&(int32_t)L_38))))))))))))); uint16_t L_39 = __this->get_R1_13(); uint16_t L_40 = __this->get_R1_13(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_39<<(int32_t)2))|(int32_t)((int32_t)((int32_t)L_40>>(int32_t)((int32_t)14))))))))); uint16_t L_41 = __this->get_R2_14(); UInt16U5BU5D_t3999484061* L_42 = __this->get_K_16(); int32_t L_43 = __this->get_j_17(); int32_t L_44 = L_43; V_0 = L_44; __this->set_j_17(((int32_t)((int32_t)L_44+(int32_t)1))); int32_t L_45 = V_0; NullCheck(L_42); IL2CPP_ARRAY_BOUNDS_CHECK(L_42, L_45); int32_t L_46 = L_45; uint16_t L_47 = __this->get_R1_13(); uint16_t L_48 = __this->get_R0_12(); uint16_t L_49 = __this->get_R1_13(); uint16_t L_50 = __this->get_R3_15(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)L_41+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_42)->GetAt(static_cast<il2cpp_array_size_t>(L_46)))+(int32_t)((int32_t)((int32_t)L_47&(int32_t)L_48))))+(int32_t)((int32_t)((int32_t)((~L_49))&(int32_t)L_50))))))))))))); uint16_t L_51 = __this->get_R2_14(); uint16_t L_52 = __this->get_R2_14(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_51<<(int32_t)3))|(int32_t)((int32_t)((int32_t)L_52>>(int32_t)((int32_t)13))))))))); uint16_t L_53 = __this->get_R3_15(); UInt16U5BU5D_t3999484061* L_54 = __this->get_K_16(); int32_t L_55 = __this->get_j_17(); int32_t L_56 = L_55; V_0 = L_56; __this->set_j_17(((int32_t)((int32_t)L_56+(int32_t)1))); int32_t L_57 = V_0; NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, L_57); int32_t L_58 = L_57; uint16_t L_59 = __this->get_R2_14(); uint16_t L_60 = __this->get_R1_13(); uint16_t L_61 = __this->get_R2_14(); uint16_t L_62 = __this->get_R0_12(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)L_53+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_58)))+(int32_t)((int32_t)((int32_t)L_59&(int32_t)L_60))))+(int32_t)((int32_t)((int32_t)((~L_61))&(int32_t)L_62))))))))))))); uint16_t L_63 = __this->get_R3_15(); uint16_t L_64 = __this->get_R3_15(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_63<<(int32_t)5))|(int32_t)((int32_t)((int32_t)L_64>>(int32_t)((int32_t)11))))))))); } IL_01cb: { int32_t L_65 = __this->get_j_17(); if ((((int32_t)L_65) <= ((int32_t)((int32_t)16)))) { goto IL_0057; } } { uint16_t L_66 = __this->get_R0_12(); UInt16U5BU5D_t3999484061* L_67 = __this->get_K_16(); uint16_t L_68 = __this->get_R3_15(); NullCheck(L_67); IL2CPP_ARRAY_BOUNDS_CHECK(L_67, ((int32_t)((int32_t)L_68&(int32_t)((int32_t)63)))); int32_t L_69 = ((int32_t)((int32_t)L_68&(int32_t)((int32_t)63))); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)L_66+(int32_t)((L_67)->GetAt(static_cast<il2cpp_array_size_t>(L_69))))))))); uint16_t L_70 = __this->get_R1_13(); UInt16U5BU5D_t3999484061* L_71 = __this->get_K_16(); uint16_t L_72 = __this->get_R0_12(); NullCheck(L_71); IL2CPP_ARRAY_BOUNDS_CHECK(L_71, ((int32_t)((int32_t)L_72&(int32_t)((int32_t)63)))); int32_t L_73 = ((int32_t)((int32_t)L_72&(int32_t)((int32_t)63))); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)L_70+(int32_t)((L_71)->GetAt(static_cast<il2cpp_array_size_t>(L_73))))))))); uint16_t L_74 = __this->get_R2_14(); UInt16U5BU5D_t3999484061* L_75 = __this->get_K_16(); uint16_t L_76 = __this->get_R1_13(); NullCheck(L_75); IL2CPP_ARRAY_BOUNDS_CHECK(L_75, ((int32_t)((int32_t)L_76&(int32_t)((int32_t)63)))); int32_t L_77 = ((int32_t)((int32_t)L_76&(int32_t)((int32_t)63))); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)L_74+(int32_t)((L_75)->GetAt(static_cast<il2cpp_array_size_t>(L_77))))))))); uint16_t L_78 = __this->get_R3_15(); UInt16U5BU5D_t3999484061* L_79 = __this->get_K_16(); uint16_t L_80 = __this->get_R2_14(); NullCheck(L_79); IL2CPP_ARRAY_BOUNDS_CHECK(L_79, ((int32_t)((int32_t)L_80&(int32_t)((int32_t)63)))); int32_t L_81 = ((int32_t)((int32_t)L_80&(int32_t)((int32_t)63))); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)L_78+(int32_t)((L_79)->GetAt(static_cast<il2cpp_array_size_t>(L_81))))))))); goto IL_03c9; } IL_0255: { uint16_t L_82 = __this->get_R0_12(); UInt16U5BU5D_t3999484061* L_83 = __this->get_K_16(); int32_t L_84 = __this->get_j_17(); int32_t L_85 = L_84; V_0 = L_85; __this->set_j_17(((int32_t)((int32_t)L_85+(int32_t)1))); int32_t L_86 = V_0; NullCheck(L_83); IL2CPP_ARRAY_BOUNDS_CHECK(L_83, L_86); int32_t L_87 = L_86; uint16_t L_88 = __this->get_R3_15(); uint16_t L_89 = __this->get_R2_14(); uint16_t L_90 = __this->get_R3_15(); uint16_t L_91 = __this->get_R1_13(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)L_82+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_83)->GetAt(static_cast<il2cpp_array_size_t>(L_87)))+(int32_t)((int32_t)((int32_t)L_88&(int32_t)L_89))))+(int32_t)((int32_t)((int32_t)((~L_90))&(int32_t)L_91))))))))))))); uint16_t L_92 = __this->get_R0_12(); uint16_t L_93 = __this->get_R0_12(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_92<<(int32_t)1))|(int32_t)((int32_t)((int32_t)L_93>>(int32_t)((int32_t)15))))))))); uint16_t L_94 = __this->get_R1_13(); UInt16U5BU5D_t3999484061* L_95 = __this->get_K_16(); int32_t L_96 = __this->get_j_17(); int32_t L_97 = L_96; V_0 = L_97; __this->set_j_17(((int32_t)((int32_t)L_97+(int32_t)1))); int32_t L_98 = V_0; NullCheck(L_95); IL2CPP_ARRAY_BOUNDS_CHECK(L_95, L_98); int32_t L_99 = L_98; uint16_t L_100 = __this->get_R0_12(); uint16_t L_101 = __this->get_R3_15(); uint16_t L_102 = __this->get_R0_12(); uint16_t L_103 = __this->get_R2_14(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)L_94+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_95)->GetAt(static_cast<il2cpp_array_size_t>(L_99)))+(int32_t)((int32_t)((int32_t)L_100&(int32_t)L_101))))+(int32_t)((int32_t)((int32_t)((~L_102))&(int32_t)L_103))))))))))))); uint16_t L_104 = __this->get_R1_13(); uint16_t L_105 = __this->get_R1_13(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_104<<(int32_t)2))|(int32_t)((int32_t)((int32_t)L_105>>(int32_t)((int32_t)14))))))))); uint16_t L_106 = __this->get_R2_14(); UInt16U5BU5D_t3999484061* L_107 = __this->get_K_16(); int32_t L_108 = __this->get_j_17(); int32_t L_109 = L_108; V_0 = L_109; __this->set_j_17(((int32_t)((int32_t)L_109+(int32_t)1))); int32_t L_110 = V_0; NullCheck(L_107); IL2CPP_ARRAY_BOUNDS_CHECK(L_107, L_110); int32_t L_111 = L_110; uint16_t L_112 = __this->get_R1_13(); uint16_t L_113 = __this->get_R0_12(); uint16_t L_114 = __this->get_R1_13(); uint16_t L_115 = __this->get_R3_15(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)L_106+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_107)->GetAt(static_cast<il2cpp_array_size_t>(L_111)))+(int32_t)((int32_t)((int32_t)L_112&(int32_t)L_113))))+(int32_t)((int32_t)((int32_t)((~L_114))&(int32_t)L_115))))))))))))); uint16_t L_116 = __this->get_R2_14(); uint16_t L_117 = __this->get_R2_14(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_116<<(int32_t)3))|(int32_t)((int32_t)((int32_t)L_117>>(int32_t)((int32_t)13))))))))); uint16_t L_118 = __this->get_R3_15(); UInt16U5BU5D_t3999484061* L_119 = __this->get_K_16(); int32_t L_120 = __this->get_j_17(); int32_t L_121 = L_120; V_0 = L_121; __this->set_j_17(((int32_t)((int32_t)L_121+(int32_t)1))); int32_t L_122 = V_0; NullCheck(L_119); IL2CPP_ARRAY_BOUNDS_CHECK(L_119, L_122); int32_t L_123 = L_122; uint16_t L_124 = __this->get_R2_14(); uint16_t L_125 = __this->get_R1_13(); uint16_t L_126 = __this->get_R2_14(); uint16_t L_127 = __this->get_R0_12(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)L_118+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_119)->GetAt(static_cast<il2cpp_array_size_t>(L_123)))+(int32_t)((int32_t)((int32_t)L_124&(int32_t)L_125))))+(int32_t)((int32_t)((int32_t)((~L_126))&(int32_t)L_127))))))))))))); uint16_t L_128 = __this->get_R3_15(); uint16_t L_129 = __this->get_R3_15(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_128<<(int32_t)5))|(int32_t)((int32_t)((int32_t)L_129>>(int32_t)((int32_t)11))))))))); } IL_03c9: { int32_t L_130 = __this->get_j_17(); if ((((int32_t)L_130) <= ((int32_t)((int32_t)40)))) { goto IL_0255; } } { uint16_t L_131 = __this->get_R0_12(); UInt16U5BU5D_t3999484061* L_132 = __this->get_K_16(); uint16_t L_133 = __this->get_R3_15(); NullCheck(L_132); IL2CPP_ARRAY_BOUNDS_CHECK(L_132, ((int32_t)((int32_t)L_133&(int32_t)((int32_t)63)))); int32_t L_134 = ((int32_t)((int32_t)L_133&(int32_t)((int32_t)63))); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)L_131+(int32_t)((L_132)->GetAt(static_cast<il2cpp_array_size_t>(L_134))))))))); uint16_t L_135 = __this->get_R1_13(); UInt16U5BU5D_t3999484061* L_136 = __this->get_K_16(); uint16_t L_137 = __this->get_R0_12(); NullCheck(L_136); IL2CPP_ARRAY_BOUNDS_CHECK(L_136, ((int32_t)((int32_t)L_137&(int32_t)((int32_t)63)))); int32_t L_138 = ((int32_t)((int32_t)L_137&(int32_t)((int32_t)63))); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)L_135+(int32_t)((L_136)->GetAt(static_cast<il2cpp_array_size_t>(L_138))))))))); uint16_t L_139 = __this->get_R2_14(); UInt16U5BU5D_t3999484061* L_140 = __this->get_K_16(); uint16_t L_141 = __this->get_R1_13(); NullCheck(L_140); IL2CPP_ARRAY_BOUNDS_CHECK(L_140, ((int32_t)((int32_t)L_141&(int32_t)((int32_t)63)))); int32_t L_142 = ((int32_t)((int32_t)L_141&(int32_t)((int32_t)63))); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)L_139+(int32_t)((L_140)->GetAt(static_cast<il2cpp_array_size_t>(L_142))))))))); uint16_t L_143 = __this->get_R3_15(); UInt16U5BU5D_t3999484061* L_144 = __this->get_K_16(); uint16_t L_145 = __this->get_R2_14(); NullCheck(L_144); IL2CPP_ARRAY_BOUNDS_CHECK(L_144, ((int32_t)((int32_t)L_145&(int32_t)((int32_t)63)))); int32_t L_146 = ((int32_t)((int32_t)L_145&(int32_t)((int32_t)63))); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)L_143+(int32_t)((L_144)->GetAt(static_cast<il2cpp_array_size_t>(L_146))))))))); goto IL_05c7; } IL_0453: { uint16_t L_147 = __this->get_R0_12(); UInt16U5BU5D_t3999484061* L_148 = __this->get_K_16(); int32_t L_149 = __this->get_j_17(); int32_t L_150 = L_149; V_0 = L_150; __this->set_j_17(((int32_t)((int32_t)L_150+(int32_t)1))); int32_t L_151 = V_0; NullCheck(L_148); IL2CPP_ARRAY_BOUNDS_CHECK(L_148, L_151); int32_t L_152 = L_151; uint16_t L_153 = __this->get_R3_15(); uint16_t L_154 = __this->get_R2_14(); uint16_t L_155 = __this->get_R3_15(); uint16_t L_156 = __this->get_R1_13(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)L_147+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_148)->GetAt(static_cast<il2cpp_array_size_t>(L_152)))+(int32_t)((int32_t)((int32_t)L_153&(int32_t)L_154))))+(int32_t)((int32_t)((int32_t)((~L_155))&(int32_t)L_156))))))))))))); uint16_t L_157 = __this->get_R0_12(); uint16_t L_158 = __this->get_R0_12(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_157<<(int32_t)1))|(int32_t)((int32_t)((int32_t)L_158>>(int32_t)((int32_t)15))))))))); uint16_t L_159 = __this->get_R1_13(); UInt16U5BU5D_t3999484061* L_160 = __this->get_K_16(); int32_t L_161 = __this->get_j_17(); int32_t L_162 = L_161; V_0 = L_162; __this->set_j_17(((int32_t)((int32_t)L_162+(int32_t)1))); int32_t L_163 = V_0; NullCheck(L_160); IL2CPP_ARRAY_BOUNDS_CHECK(L_160, L_163); int32_t L_164 = L_163; uint16_t L_165 = __this->get_R0_12(); uint16_t L_166 = __this->get_R3_15(); uint16_t L_167 = __this->get_R0_12(); uint16_t L_168 = __this->get_R2_14(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)L_159+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_160)->GetAt(static_cast<il2cpp_array_size_t>(L_164)))+(int32_t)((int32_t)((int32_t)L_165&(int32_t)L_166))))+(int32_t)((int32_t)((int32_t)((~L_167))&(int32_t)L_168))))))))))))); uint16_t L_169 = __this->get_R1_13(); uint16_t L_170 = __this->get_R1_13(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_169<<(int32_t)2))|(int32_t)((int32_t)((int32_t)L_170>>(int32_t)((int32_t)14))))))))); uint16_t L_171 = __this->get_R2_14(); UInt16U5BU5D_t3999484061* L_172 = __this->get_K_16(); int32_t L_173 = __this->get_j_17(); int32_t L_174 = L_173; V_0 = L_174; __this->set_j_17(((int32_t)((int32_t)L_174+(int32_t)1))); int32_t L_175 = V_0; NullCheck(L_172); IL2CPP_ARRAY_BOUNDS_CHECK(L_172, L_175); int32_t L_176 = L_175; uint16_t L_177 = __this->get_R1_13(); uint16_t L_178 = __this->get_R0_12(); uint16_t L_179 = __this->get_R1_13(); uint16_t L_180 = __this->get_R3_15(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)L_171+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_172)->GetAt(static_cast<il2cpp_array_size_t>(L_176)))+(int32_t)((int32_t)((int32_t)L_177&(int32_t)L_178))))+(int32_t)((int32_t)((int32_t)((~L_179))&(int32_t)L_180))))))))))))); uint16_t L_181 = __this->get_R2_14(); uint16_t L_182 = __this->get_R2_14(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_181<<(int32_t)3))|(int32_t)((int32_t)((int32_t)L_182>>(int32_t)((int32_t)13))))))))); uint16_t L_183 = __this->get_R3_15(); UInt16U5BU5D_t3999484061* L_184 = __this->get_K_16(); int32_t L_185 = __this->get_j_17(); int32_t L_186 = L_185; V_0 = L_186; __this->set_j_17(((int32_t)((int32_t)L_186+(int32_t)1))); int32_t L_187 = V_0; NullCheck(L_184); IL2CPP_ARRAY_BOUNDS_CHECK(L_184, L_187); int32_t L_188 = L_187; uint16_t L_189 = __this->get_R2_14(); uint16_t L_190 = __this->get_R1_13(); uint16_t L_191 = __this->get_R2_14(); uint16_t L_192 = __this->get_R0_12(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)L_183+(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_184)->GetAt(static_cast<il2cpp_array_size_t>(L_188)))+(int32_t)((int32_t)((int32_t)L_189&(int32_t)L_190))))+(int32_t)((int32_t)((int32_t)((~L_191))&(int32_t)L_192))))))))))))); uint16_t L_193 = __this->get_R3_15(); uint16_t L_194 = __this->get_R3_15(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_193<<(int32_t)5))|(int32_t)((int32_t)((int32_t)L_194>>(int32_t)((int32_t)11))))))))); } IL_05c7: { int32_t L_195 = __this->get_j_17(); if ((((int32_t)L_195) < ((int32_t)((int32_t)64)))) { goto IL_0453; } } { goto IL_0b62; } IL_05d9: { __this->set_j_17(((int32_t)63)); goto IL_075a; } IL_05e6: { uint16_t L_196 = __this->get_R3_15(); uint16_t L_197 = __this->get_R3_15(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_196>>(int32_t)5))|(int32_t)((int32_t)((int32_t)L_197<<(int32_t)((int32_t)11))))))))); uint16_t L_198 = __this->get_R3_15(); UInt16U5BU5D_t3999484061* L_199 = __this->get_K_16(); int32_t L_200 = __this->get_j_17(); int32_t L_201 = L_200; V_0 = L_201; __this->set_j_17(((int32_t)((int32_t)L_201-(int32_t)1))); int32_t L_202 = V_0; NullCheck(L_199); IL2CPP_ARRAY_BOUNDS_CHECK(L_199, L_202); int32_t L_203 = L_202; uint16_t L_204 = __this->get_R2_14(); uint16_t L_205 = __this->get_R1_13(); uint16_t L_206 = __this->get_R2_14(); uint16_t L_207 = __this->get_R0_12(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)L_198-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_199)->GetAt(static_cast<il2cpp_array_size_t>(L_203)))+(int32_t)((int32_t)((int32_t)L_204&(int32_t)L_205))))+(int32_t)((int32_t)((int32_t)((~L_206))&(int32_t)L_207))))))))))))); uint16_t L_208 = __this->get_R2_14(); uint16_t L_209 = __this->get_R2_14(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_208>>(int32_t)3))|(int32_t)((int32_t)((int32_t)L_209<<(int32_t)((int32_t)13))))))))); uint16_t L_210 = __this->get_R2_14(); UInt16U5BU5D_t3999484061* L_211 = __this->get_K_16(); int32_t L_212 = __this->get_j_17(); int32_t L_213 = L_212; V_0 = L_213; __this->set_j_17(((int32_t)((int32_t)L_213-(int32_t)1))); int32_t L_214 = V_0; NullCheck(L_211); IL2CPP_ARRAY_BOUNDS_CHECK(L_211, L_214); int32_t L_215 = L_214; uint16_t L_216 = __this->get_R1_13(); uint16_t L_217 = __this->get_R0_12(); uint16_t L_218 = __this->get_R1_13(); uint16_t L_219 = __this->get_R3_15(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)L_210-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_211)->GetAt(static_cast<il2cpp_array_size_t>(L_215)))+(int32_t)((int32_t)((int32_t)L_216&(int32_t)L_217))))+(int32_t)((int32_t)((int32_t)((~L_218))&(int32_t)L_219))))))))))))); uint16_t L_220 = __this->get_R1_13(); uint16_t L_221 = __this->get_R1_13(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_220>>(int32_t)2))|(int32_t)((int32_t)((int32_t)L_221<<(int32_t)((int32_t)14))))))))); uint16_t L_222 = __this->get_R1_13(); UInt16U5BU5D_t3999484061* L_223 = __this->get_K_16(); int32_t L_224 = __this->get_j_17(); int32_t L_225 = L_224; V_0 = L_225; __this->set_j_17(((int32_t)((int32_t)L_225-(int32_t)1))); int32_t L_226 = V_0; NullCheck(L_223); IL2CPP_ARRAY_BOUNDS_CHECK(L_223, L_226); int32_t L_227 = L_226; uint16_t L_228 = __this->get_R0_12(); uint16_t L_229 = __this->get_R3_15(); uint16_t L_230 = __this->get_R0_12(); uint16_t L_231 = __this->get_R2_14(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)L_222-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_223)->GetAt(static_cast<il2cpp_array_size_t>(L_227)))+(int32_t)((int32_t)((int32_t)L_228&(int32_t)L_229))))+(int32_t)((int32_t)((int32_t)((~L_230))&(int32_t)L_231))))))))))))); uint16_t L_232 = __this->get_R0_12(); uint16_t L_233 = __this->get_R0_12(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_232>>(int32_t)1))|(int32_t)((int32_t)((int32_t)L_233<<(int32_t)((int32_t)15))))))))); uint16_t L_234 = __this->get_R0_12(); UInt16U5BU5D_t3999484061* L_235 = __this->get_K_16(); int32_t L_236 = __this->get_j_17(); int32_t L_237 = L_236; V_0 = L_237; __this->set_j_17(((int32_t)((int32_t)L_237-(int32_t)1))); int32_t L_238 = V_0; NullCheck(L_235); IL2CPP_ARRAY_BOUNDS_CHECK(L_235, L_238); int32_t L_239 = L_238; uint16_t L_240 = __this->get_R3_15(); uint16_t L_241 = __this->get_R2_14(); uint16_t L_242 = __this->get_R3_15(); uint16_t L_243 = __this->get_R1_13(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)L_234-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_235)->GetAt(static_cast<il2cpp_array_size_t>(L_239)))+(int32_t)((int32_t)((int32_t)L_240&(int32_t)L_241))))+(int32_t)((int32_t)((int32_t)((~L_242))&(int32_t)L_243))))))))))))); } IL_075a: { int32_t L_244 = __this->get_j_17(); if ((((int32_t)L_244) >= ((int32_t)((int32_t)44)))) { goto IL_05e6; } } { uint16_t L_245 = __this->get_R3_15(); UInt16U5BU5D_t3999484061* L_246 = __this->get_K_16(); uint16_t L_247 = __this->get_R2_14(); NullCheck(L_246); IL2CPP_ARRAY_BOUNDS_CHECK(L_246, ((int32_t)((int32_t)L_247&(int32_t)((int32_t)63)))); int32_t L_248 = ((int32_t)((int32_t)L_247&(int32_t)((int32_t)63))); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)L_245-(int32_t)((L_246)->GetAt(static_cast<il2cpp_array_size_t>(L_248))))))))); uint16_t L_249 = __this->get_R2_14(); UInt16U5BU5D_t3999484061* L_250 = __this->get_K_16(); uint16_t L_251 = __this->get_R1_13(); NullCheck(L_250); IL2CPP_ARRAY_BOUNDS_CHECK(L_250, ((int32_t)((int32_t)L_251&(int32_t)((int32_t)63)))); int32_t L_252 = ((int32_t)((int32_t)L_251&(int32_t)((int32_t)63))); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)L_249-(int32_t)((L_250)->GetAt(static_cast<il2cpp_array_size_t>(L_252))))))))); uint16_t L_253 = __this->get_R1_13(); UInt16U5BU5D_t3999484061* L_254 = __this->get_K_16(); uint16_t L_255 = __this->get_R0_12(); NullCheck(L_254); IL2CPP_ARRAY_BOUNDS_CHECK(L_254, ((int32_t)((int32_t)L_255&(int32_t)((int32_t)63)))); int32_t L_256 = ((int32_t)((int32_t)L_255&(int32_t)((int32_t)63))); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)L_253-(int32_t)((L_254)->GetAt(static_cast<il2cpp_array_size_t>(L_256))))))))); uint16_t L_257 = __this->get_R0_12(); UInt16U5BU5D_t3999484061* L_258 = __this->get_K_16(); uint16_t L_259 = __this->get_R3_15(); NullCheck(L_258); IL2CPP_ARRAY_BOUNDS_CHECK(L_258, ((int32_t)((int32_t)L_259&(int32_t)((int32_t)63)))); int32_t L_260 = ((int32_t)((int32_t)L_259&(int32_t)((int32_t)63))); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)L_257-(int32_t)((L_258)->GetAt(static_cast<il2cpp_array_size_t>(L_260))))))))); goto IL_0958; } IL_07e4: { uint16_t L_261 = __this->get_R3_15(); uint16_t L_262 = __this->get_R3_15(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_261>>(int32_t)5))|(int32_t)((int32_t)((int32_t)L_262<<(int32_t)((int32_t)11))))))))); uint16_t L_263 = __this->get_R3_15(); UInt16U5BU5D_t3999484061* L_264 = __this->get_K_16(); int32_t L_265 = __this->get_j_17(); int32_t L_266 = L_265; V_0 = L_266; __this->set_j_17(((int32_t)((int32_t)L_266-(int32_t)1))); int32_t L_267 = V_0; NullCheck(L_264); IL2CPP_ARRAY_BOUNDS_CHECK(L_264, L_267); int32_t L_268 = L_267; uint16_t L_269 = __this->get_R2_14(); uint16_t L_270 = __this->get_R1_13(); uint16_t L_271 = __this->get_R2_14(); uint16_t L_272 = __this->get_R0_12(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)L_263-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_264)->GetAt(static_cast<il2cpp_array_size_t>(L_268)))+(int32_t)((int32_t)((int32_t)L_269&(int32_t)L_270))))+(int32_t)((int32_t)((int32_t)((~L_271))&(int32_t)L_272))))))))))))); uint16_t L_273 = __this->get_R2_14(); uint16_t L_274 = __this->get_R2_14(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_273>>(int32_t)3))|(int32_t)((int32_t)((int32_t)L_274<<(int32_t)((int32_t)13))))))))); uint16_t L_275 = __this->get_R2_14(); UInt16U5BU5D_t3999484061* L_276 = __this->get_K_16(); int32_t L_277 = __this->get_j_17(); int32_t L_278 = L_277; V_0 = L_278; __this->set_j_17(((int32_t)((int32_t)L_278-(int32_t)1))); int32_t L_279 = V_0; NullCheck(L_276); IL2CPP_ARRAY_BOUNDS_CHECK(L_276, L_279); int32_t L_280 = L_279; uint16_t L_281 = __this->get_R1_13(); uint16_t L_282 = __this->get_R0_12(); uint16_t L_283 = __this->get_R1_13(); uint16_t L_284 = __this->get_R3_15(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)L_275-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_276)->GetAt(static_cast<il2cpp_array_size_t>(L_280)))+(int32_t)((int32_t)((int32_t)L_281&(int32_t)L_282))))+(int32_t)((int32_t)((int32_t)((~L_283))&(int32_t)L_284))))))))))))); uint16_t L_285 = __this->get_R1_13(); uint16_t L_286 = __this->get_R1_13(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_285>>(int32_t)2))|(int32_t)((int32_t)((int32_t)L_286<<(int32_t)((int32_t)14))))))))); uint16_t L_287 = __this->get_R1_13(); UInt16U5BU5D_t3999484061* L_288 = __this->get_K_16(); int32_t L_289 = __this->get_j_17(); int32_t L_290 = L_289; V_0 = L_290; __this->set_j_17(((int32_t)((int32_t)L_290-(int32_t)1))); int32_t L_291 = V_0; NullCheck(L_288); IL2CPP_ARRAY_BOUNDS_CHECK(L_288, L_291); int32_t L_292 = L_291; uint16_t L_293 = __this->get_R0_12(); uint16_t L_294 = __this->get_R3_15(); uint16_t L_295 = __this->get_R0_12(); uint16_t L_296 = __this->get_R2_14(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)L_287-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_288)->GetAt(static_cast<il2cpp_array_size_t>(L_292)))+(int32_t)((int32_t)((int32_t)L_293&(int32_t)L_294))))+(int32_t)((int32_t)((int32_t)((~L_295))&(int32_t)L_296))))))))))))); uint16_t L_297 = __this->get_R0_12(); uint16_t L_298 = __this->get_R0_12(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_297>>(int32_t)1))|(int32_t)((int32_t)((int32_t)L_298<<(int32_t)((int32_t)15))))))))); uint16_t L_299 = __this->get_R0_12(); UInt16U5BU5D_t3999484061* L_300 = __this->get_K_16(); int32_t L_301 = __this->get_j_17(); int32_t L_302 = L_301; V_0 = L_302; __this->set_j_17(((int32_t)((int32_t)L_302-(int32_t)1))); int32_t L_303 = V_0; NullCheck(L_300); IL2CPP_ARRAY_BOUNDS_CHECK(L_300, L_303); int32_t L_304 = L_303; uint16_t L_305 = __this->get_R3_15(); uint16_t L_306 = __this->get_R2_14(); uint16_t L_307 = __this->get_R3_15(); uint16_t L_308 = __this->get_R1_13(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)L_299-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_300)->GetAt(static_cast<il2cpp_array_size_t>(L_304)))+(int32_t)((int32_t)((int32_t)L_305&(int32_t)L_306))))+(int32_t)((int32_t)((int32_t)((~L_307))&(int32_t)L_308))))))))))))); } IL_0958: { int32_t L_309 = __this->get_j_17(); if ((((int32_t)L_309) >= ((int32_t)((int32_t)20)))) { goto IL_07e4; } } { uint16_t L_310 = __this->get_R3_15(); UInt16U5BU5D_t3999484061* L_311 = __this->get_K_16(); uint16_t L_312 = __this->get_R2_14(); NullCheck(L_311); IL2CPP_ARRAY_BOUNDS_CHECK(L_311, ((int32_t)((int32_t)L_312&(int32_t)((int32_t)63)))); int32_t L_313 = ((int32_t)((int32_t)L_312&(int32_t)((int32_t)63))); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)L_310-(int32_t)((L_311)->GetAt(static_cast<il2cpp_array_size_t>(L_313))))))))); uint16_t L_314 = __this->get_R2_14(); UInt16U5BU5D_t3999484061* L_315 = __this->get_K_16(); uint16_t L_316 = __this->get_R1_13(); NullCheck(L_315); IL2CPP_ARRAY_BOUNDS_CHECK(L_315, ((int32_t)((int32_t)L_316&(int32_t)((int32_t)63)))); int32_t L_317 = ((int32_t)((int32_t)L_316&(int32_t)((int32_t)63))); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)L_314-(int32_t)((L_315)->GetAt(static_cast<il2cpp_array_size_t>(L_317))))))))); uint16_t L_318 = __this->get_R1_13(); UInt16U5BU5D_t3999484061* L_319 = __this->get_K_16(); uint16_t L_320 = __this->get_R0_12(); NullCheck(L_319); IL2CPP_ARRAY_BOUNDS_CHECK(L_319, ((int32_t)((int32_t)L_320&(int32_t)((int32_t)63)))); int32_t L_321 = ((int32_t)((int32_t)L_320&(int32_t)((int32_t)63))); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)L_318-(int32_t)((L_319)->GetAt(static_cast<il2cpp_array_size_t>(L_321))))))))); uint16_t L_322 = __this->get_R0_12(); UInt16U5BU5D_t3999484061* L_323 = __this->get_K_16(); uint16_t L_324 = __this->get_R3_15(); NullCheck(L_323); IL2CPP_ARRAY_BOUNDS_CHECK(L_323, ((int32_t)((int32_t)L_324&(int32_t)((int32_t)63)))); int32_t L_325 = ((int32_t)((int32_t)L_324&(int32_t)((int32_t)63))); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)L_322-(int32_t)((L_323)->GetAt(static_cast<il2cpp_array_size_t>(L_325))))))))); goto IL_0b56; } IL_09e2: { uint16_t L_326 = __this->get_R3_15(); uint16_t L_327 = __this->get_R3_15(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_326>>(int32_t)5))|(int32_t)((int32_t)((int32_t)L_327<<(int32_t)((int32_t)11))))))))); uint16_t L_328 = __this->get_R3_15(); UInt16U5BU5D_t3999484061* L_329 = __this->get_K_16(); int32_t L_330 = __this->get_j_17(); int32_t L_331 = L_330; V_0 = L_331; __this->set_j_17(((int32_t)((int32_t)L_331-(int32_t)1))); int32_t L_332 = V_0; NullCheck(L_329); IL2CPP_ARRAY_BOUNDS_CHECK(L_329, L_332); int32_t L_333 = L_332; uint16_t L_334 = __this->get_R2_14(); uint16_t L_335 = __this->get_R1_13(); uint16_t L_336 = __this->get_R2_14(); uint16_t L_337 = __this->get_R0_12(); __this->set_R3_15((((int32_t)((uint16_t)((int32_t)((int32_t)L_328-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_329)->GetAt(static_cast<il2cpp_array_size_t>(L_333)))+(int32_t)((int32_t)((int32_t)L_334&(int32_t)L_335))))+(int32_t)((int32_t)((int32_t)((~L_336))&(int32_t)L_337))))))))))))); uint16_t L_338 = __this->get_R2_14(); uint16_t L_339 = __this->get_R2_14(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_338>>(int32_t)3))|(int32_t)((int32_t)((int32_t)L_339<<(int32_t)((int32_t)13))))))))); uint16_t L_340 = __this->get_R2_14(); UInt16U5BU5D_t3999484061* L_341 = __this->get_K_16(); int32_t L_342 = __this->get_j_17(); int32_t L_343 = L_342; V_0 = L_343; __this->set_j_17(((int32_t)((int32_t)L_343-(int32_t)1))); int32_t L_344 = V_0; NullCheck(L_341); IL2CPP_ARRAY_BOUNDS_CHECK(L_341, L_344); int32_t L_345 = L_344; uint16_t L_346 = __this->get_R1_13(); uint16_t L_347 = __this->get_R0_12(); uint16_t L_348 = __this->get_R1_13(); uint16_t L_349 = __this->get_R3_15(); __this->set_R2_14((((int32_t)((uint16_t)((int32_t)((int32_t)L_340-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_341)->GetAt(static_cast<il2cpp_array_size_t>(L_345)))+(int32_t)((int32_t)((int32_t)L_346&(int32_t)L_347))))+(int32_t)((int32_t)((int32_t)((~L_348))&(int32_t)L_349))))))))))))); uint16_t L_350 = __this->get_R1_13(); uint16_t L_351 = __this->get_R1_13(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_350>>(int32_t)2))|(int32_t)((int32_t)((int32_t)L_351<<(int32_t)((int32_t)14))))))))); uint16_t L_352 = __this->get_R1_13(); UInt16U5BU5D_t3999484061* L_353 = __this->get_K_16(); int32_t L_354 = __this->get_j_17(); int32_t L_355 = L_354; V_0 = L_355; __this->set_j_17(((int32_t)((int32_t)L_355-(int32_t)1))); int32_t L_356 = V_0; NullCheck(L_353); IL2CPP_ARRAY_BOUNDS_CHECK(L_353, L_356); int32_t L_357 = L_356; uint16_t L_358 = __this->get_R0_12(); uint16_t L_359 = __this->get_R3_15(); uint16_t L_360 = __this->get_R0_12(); uint16_t L_361 = __this->get_R2_14(); __this->set_R1_13((((int32_t)((uint16_t)((int32_t)((int32_t)L_352-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_353)->GetAt(static_cast<il2cpp_array_size_t>(L_357)))+(int32_t)((int32_t)((int32_t)L_358&(int32_t)L_359))))+(int32_t)((int32_t)((int32_t)((~L_360))&(int32_t)L_361))))))))))))); uint16_t L_362 = __this->get_R0_12(); uint16_t L_363 = __this->get_R0_12(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_362>>(int32_t)1))|(int32_t)((int32_t)((int32_t)L_363<<(int32_t)((int32_t)15))))))))); uint16_t L_364 = __this->get_R0_12(); UInt16U5BU5D_t3999484061* L_365 = __this->get_K_16(); int32_t L_366 = __this->get_j_17(); int32_t L_367 = L_366; V_0 = L_367; __this->set_j_17(((int32_t)((int32_t)L_367-(int32_t)1))); int32_t L_368 = V_0; NullCheck(L_365); IL2CPP_ARRAY_BOUNDS_CHECK(L_365, L_368); int32_t L_369 = L_368; uint16_t L_370 = __this->get_R3_15(); uint16_t L_371 = __this->get_R2_14(); uint16_t L_372 = __this->get_R3_15(); uint16_t L_373 = __this->get_R1_13(); __this->set_R0_12((((int32_t)((uint16_t)((int32_t)((int32_t)L_364-(int32_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_365)->GetAt(static_cast<il2cpp_array_size_t>(L_369)))+(int32_t)((int32_t)((int32_t)L_370&(int32_t)L_371))))+(int32_t)((int32_t)((int32_t)((~L_372))&(int32_t)L_373))))))))))))); } IL_0b56: { int32_t L_374 = __this->get_j_17(); if ((((int32_t)L_374) >= ((int32_t)0))) { goto IL_09e2; } } IL_0b62: { ByteU5BU5D_t58506160* L_375 = ___output; uint16_t L_376 = __this->get_R0_12(); NullCheck(L_375); IL2CPP_ARRAY_BOUNDS_CHECK(L_375, 0); (L_375)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint8_t)(((int32_t)((uint8_t)L_376)))); ByteU5BU5D_t58506160* L_377 = ___output; uint16_t L_378 = __this->get_R0_12(); NullCheck(L_377); IL2CPP_ARRAY_BOUNDS_CHECK(L_377, 1); (L_377)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)L_378>>(int32_t)8)))))); ByteU5BU5D_t58506160* L_379 = ___output; uint16_t L_380 = __this->get_R1_13(); NullCheck(L_379); IL2CPP_ARRAY_BOUNDS_CHECK(L_379, 2); (L_379)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint8_t)(((int32_t)((uint8_t)L_380)))); ByteU5BU5D_t58506160* L_381 = ___output; uint16_t L_382 = __this->get_R1_13(); NullCheck(L_381); IL2CPP_ARRAY_BOUNDS_CHECK(L_381, 3); (L_381)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)L_382>>(int32_t)8)))))); ByteU5BU5D_t58506160* L_383 = ___output; uint16_t L_384 = __this->get_R2_14(); NullCheck(L_383); IL2CPP_ARRAY_BOUNDS_CHECK(L_383, 4); (L_383)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint8_t)(((int32_t)((uint8_t)L_384)))); ByteU5BU5D_t58506160* L_385 = ___output; uint16_t L_386 = __this->get_R2_14(); NullCheck(L_385); IL2CPP_ARRAY_BOUNDS_CHECK(L_385, 5); (L_385)->SetAt(static_cast<il2cpp_array_size_t>(5), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)L_386>>(int32_t)8)))))); ByteU5BU5D_t58506160* L_387 = ___output; uint16_t L_388 = __this->get_R3_15(); NullCheck(L_387); IL2CPP_ARRAY_BOUNDS_CHECK(L_387, 6); (L_387)->SetAt(static_cast<il2cpp_array_size_t>(6), (uint8_t)(((int32_t)((uint8_t)L_388)))); ByteU5BU5D_t58506160* L_389 = ___output; uint16_t L_390 = __this->get_R3_15(); NullCheck(L_389); IL2CPP_ARRAY_BOUNDS_CHECK(L_389, 7); (L_389)->SetAt(static_cast<il2cpp_array_size_t>(7), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)L_390>>(int32_t)8)))))); return; } } // System.Void System.Security.Cryptography.Rijndael::.ctor() extern TypeInfo* KeySizesU5BU5D_t1304982661_il2cpp_TypeInfo_var; extern TypeInfo* KeySizes_t2111859404_il2cpp_TypeInfo_var; extern const uint32_t Rijndael__ctor_m3342826786_MetadataUsageId; extern "C" void Rijndael__ctor_m3342826786 (Rijndael_t277002104 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Rijndael__ctor_m3342826786_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SymmetricAlgorithm__ctor_m3015042793(__this, /*hidden argument*/NULL); ((SymmetricAlgorithm_t839208017 *)__this)->set_KeySizeValue_2(((int32_t)256)); ((SymmetricAlgorithm_t839208017 *)__this)->set_BlockSizeValue_0(((int32_t)128)); ((SymmetricAlgorithm_t839208017 *)__this)->set_FeedbackSizeValue_6(((int32_t)128)); ((SymmetricAlgorithm_t839208017 *)__this)->set_LegalKeySizesValue_5(((KeySizesU5BU5D_t1304982661*)SZArrayNew(KeySizesU5BU5D_t1304982661_il2cpp_TypeInfo_var, (uint32_t)1))); KeySizesU5BU5D_t1304982661* L_0 = ((SymmetricAlgorithm_t839208017 *)__this)->get_LegalKeySizesValue_5(); KeySizes_t2111859404 * L_1 = (KeySizes_t2111859404 *)il2cpp_codegen_object_new(KeySizes_t2111859404_il2cpp_TypeInfo_var); KeySizes__ctor_m428291391(L_1, ((int32_t)128), ((int32_t)256), ((int32_t)64), /*hidden argument*/NULL); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); ArrayElementTypeCheck (L_0, L_1); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (KeySizes_t2111859404 *)L_1); ((SymmetricAlgorithm_t839208017 *)__this)->set_LegalBlockSizesValue_4(((KeySizesU5BU5D_t1304982661*)SZArrayNew(KeySizesU5BU5D_t1304982661_il2cpp_TypeInfo_var, (uint32_t)1))); KeySizesU5BU5D_t1304982661* L_2 = ((SymmetricAlgorithm_t839208017 *)__this)->get_LegalBlockSizesValue_4(); KeySizes_t2111859404 * L_3 = (KeySizes_t2111859404 *)il2cpp_codegen_object_new(KeySizes_t2111859404_il2cpp_TypeInfo_var); KeySizes__ctor_m428291391(L_3, ((int32_t)128), ((int32_t)256), ((int32_t)64), /*hidden argument*/NULL); NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 0); ArrayElementTypeCheck (L_2, L_3); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(0), (KeySizes_t2111859404 *)L_3); return; } } // System.Security.Cryptography.Rijndael System.Security.Cryptography.Rijndael::Create() extern Il2CppCodeGenString* _stringLiteral3009453138; extern const uint32_t Rijndael_Create_m1196531453_MetadataUsageId; extern "C" Rijndael_t277002104 * Rijndael_Create_m1196531453 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Rijndael_Create_m1196531453_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Rijndael_t277002104 * L_0 = Rijndael_Create_m3578856229(NULL /*static, unused*/, _stringLiteral3009453138, /*hidden argument*/NULL); return L_0; } } // System.Security.Cryptography.Rijndael System.Security.Cryptography.Rijndael::Create(System.String) extern TypeInfo* CryptoConfig_t2102571196_il2cpp_TypeInfo_var; extern TypeInfo* Rijndael_t277002104_il2cpp_TypeInfo_var; extern const uint32_t Rijndael_Create_m3578856229_MetadataUsageId; extern "C" Rijndael_t277002104 * Rijndael_Create_m3578856229 (Il2CppObject * __this /* static, unused */, String_t* ___algName, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Rijndael_Create_m3578856229_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___algName; IL2CPP_RUNTIME_CLASS_INIT(CryptoConfig_t2102571196_il2cpp_TypeInfo_var); Il2CppObject * L_1 = CryptoConfig_CreateFromName_m3477093824(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); return ((Rijndael_t277002104 *)CastclassClass(L_1, Rijndael_t277002104_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.RijndaelManaged::.ctor() extern "C" void RijndaelManaged__ctor_m504318565 (RijndaelManaged_t2043993497 * __this, const MethodInfo* method) { { Rijndael__ctor_m3342826786(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.RijndaelManaged::GenerateIV() extern "C" void RijndaelManaged_GenerateIV_m4176896161 (RijndaelManaged_t2043993497 * __this, const MethodInfo* method) { { int32_t L_0 = ((SymmetricAlgorithm_t839208017 *)__this)->get_BlockSizeValue_0(); ByteU5BU5D_t58506160* L_1 = KeyBuilder_IV_m3476112319(NULL /*static, unused*/, ((int32_t)((int32_t)L_0>>(int32_t)3)), /*hidden argument*/NULL); ((SymmetricAlgorithm_t839208017 *)__this)->set_IVValue_1(L_1); return; } } // System.Void System.Security.Cryptography.RijndaelManaged::GenerateKey() extern "C" void RijndaelManaged_GenerateKey_m637133869 (RijndaelManaged_t2043993497 * __this, const MethodInfo* method) { { int32_t L_0 = ((SymmetricAlgorithm_t839208017 *)__this)->get_KeySizeValue_2(); ByteU5BU5D_t58506160* L_1 = KeyBuilder_Key_m180785233(NULL /*static, unused*/, ((int32_t)((int32_t)L_0>>(int32_t)3)), /*hidden argument*/NULL); ((SymmetricAlgorithm_t839208017 *)__this)->set_KeyValue_3(L_1); return; } } // System.Security.Cryptography.ICryptoTransform System.Security.Cryptography.RijndaelManaged::CreateDecryptor(System.Byte[],System.Byte[]) extern TypeInfo* RijndaelManagedTransform_t3930995749_il2cpp_TypeInfo_var; extern const uint32_t RijndaelManaged_CreateDecryptor_m382017683_MetadataUsageId; extern "C" Il2CppObject * RijndaelManaged_CreateDecryptor_m382017683 (RijndaelManaged_t2043993497 * __this, ByteU5BU5D_t58506160* ___rgbKey, ByteU5BU5D_t58506160* ___rgbIV, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelManaged_CreateDecryptor_m382017683_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___rgbKey; ByteU5BU5D_t58506160* L_1 = ___rgbIV; RijndaelManagedTransform_t3930995749 * L_2 = (RijndaelManagedTransform_t3930995749 *)il2cpp_codegen_object_new(RijndaelManagedTransform_t3930995749_il2cpp_TypeInfo_var); RijndaelManagedTransform__ctor_m380188472(L_2, __this, (bool)0, L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Security.Cryptography.ICryptoTransform System.Security.Cryptography.RijndaelManaged::CreateEncryptor(System.Byte[],System.Byte[]) extern TypeInfo* RijndaelManagedTransform_t3930995749_il2cpp_TypeInfo_var; extern const uint32_t RijndaelManaged_CreateEncryptor_m687746235_MetadataUsageId; extern "C" Il2CppObject * RijndaelManaged_CreateEncryptor_m687746235 (RijndaelManaged_t2043993497 * __this, ByteU5BU5D_t58506160* ___rgbKey, ByteU5BU5D_t58506160* ___rgbIV, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelManaged_CreateEncryptor_m687746235_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___rgbKey; ByteU5BU5D_t58506160* L_1 = ___rgbIV; RijndaelManagedTransform_t3930995749 * L_2 = (RijndaelManagedTransform_t3930995749 *)il2cpp_codegen_object_new(RijndaelManagedTransform_t3930995749_il2cpp_TypeInfo_var); RijndaelManagedTransform__ctor_m380188472(L_2, __this, (bool)1, L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Void System.Security.Cryptography.RijndaelManagedTransform::.ctor(System.Security.Cryptography.Rijndael,System.Boolean,System.Byte[],System.Byte[]) extern TypeInfo* RijndaelTransform_t2468220198_il2cpp_TypeInfo_var; extern const uint32_t RijndaelManagedTransform__ctor_m380188472_MetadataUsageId; extern "C" void RijndaelManagedTransform__ctor_m380188472 (RijndaelManagedTransform_t3930995749 * __this, Rijndael_t277002104 * ___algo, bool ___encryption, ByteU5BU5D_t58506160* ___key, ByteU5BU5D_t58506160* ___iv, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelManagedTransform__ctor_m380188472_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); Rijndael_t277002104 * L_0 = ___algo; bool L_1 = ___encryption; ByteU5BU5D_t58506160* L_2 = ___key; ByteU5BU5D_t58506160* L_3 = ___iv; RijndaelTransform_t2468220198 * L_4 = (RijndaelTransform_t2468220198 *)il2cpp_codegen_object_new(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); RijndaelTransform__ctor_m4212591387(L_4, L_0, L_1, L_2, L_3, /*hidden argument*/NULL); __this->set__st_0(L_4); Rijndael_t277002104 * L_5 = ___algo; NullCheck(L_5); int32_t L_6 = VirtFuncInvoker0< int32_t >::Invoke(6 /* System.Int32 System.Security.Cryptography.SymmetricAlgorithm::get_BlockSize() */, L_5); __this->set__bs_1(L_6); return; } } // System.Void System.Security.Cryptography.RijndaelManagedTransform::System.IDisposable.Dispose() extern "C" void RijndaelManagedTransform_System_IDisposable_Dispose_m2279034794 (RijndaelManagedTransform_t3930995749 * __this, const MethodInfo* method) { { RijndaelTransform_t2468220198 * L_0 = __this->get__st_0(); NullCheck(L_0); RijndaelTransform_Clear_m4008934691(L_0, /*hidden argument*/NULL); return; } } // System.Boolean System.Security.Cryptography.RijndaelManagedTransform::get_CanReuseTransform() extern "C" bool RijndaelManagedTransform_get_CanReuseTransform_m1112862356 (RijndaelManagedTransform_t3930995749 * __this, const MethodInfo* method) { { RijndaelTransform_t2468220198 * L_0 = __this->get__st_0(); NullCheck(L_0); bool L_1 = VirtFuncInvoker0< bool >::Invoke(9 /* System.Boolean Mono.Security.Cryptography.SymmetricTransform::get_CanReuseTransform() */, L_0); return L_1; } } // System.Int32 System.Security.Cryptography.RijndaelManagedTransform::TransformBlock(System.Byte[],System.Int32,System.Int32,System.Byte[],System.Int32) extern "C" int32_t RijndaelManagedTransform_TransformBlock_m549345503 (RijndaelManagedTransform_t3930995749 * __this, ByteU5BU5D_t58506160* ___inputBuffer, int32_t ___inputOffset, int32_t ___inputCount, ByteU5BU5D_t58506160* ___outputBuffer, int32_t ___outputOffset, const MethodInfo* method) { { RijndaelTransform_t2468220198 * L_0 = __this->get__st_0(); ByteU5BU5D_t58506160* L_1 = ___inputBuffer; int32_t L_2 = ___inputOffset; int32_t L_3 = ___inputCount; ByteU5BU5D_t58506160* L_4 = ___outputBuffer; int32_t L_5 = ___outputOffset; NullCheck(L_0); int32_t L_6 = VirtFuncInvoker5< int32_t, ByteU5BU5D_t58506160*, int32_t, int32_t, ByteU5BU5D_t58506160*, int32_t >::Invoke(16 /* System.Int32 Mono.Security.Cryptography.SymmetricTransform::TransformBlock(System.Byte[],System.Int32,System.Int32,System.Byte[],System.Int32) */, L_0, L_1, L_2, L_3, L_4, L_5); return L_6; } } // System.Byte[] System.Security.Cryptography.RijndaelManagedTransform::TransformFinalBlock(System.Byte[],System.Int32,System.Int32) extern "C" ByteU5BU5D_t58506160* RijndaelManagedTransform_TransformFinalBlock_m1653937417 (RijndaelManagedTransform_t3930995749 * __this, ByteU5BU5D_t58506160* ___inputBuffer, int32_t ___inputOffset, int32_t ___inputCount, const MethodInfo* method) { { RijndaelTransform_t2468220198 * L_0 = __this->get__st_0(); ByteU5BU5D_t58506160* L_1 = ___inputBuffer; int32_t L_2 = ___inputOffset; int32_t L_3 = ___inputCount; NullCheck(L_0); ByteU5BU5D_t58506160* L_4 = VirtFuncInvoker3< ByteU5BU5D_t58506160*, ByteU5BU5D_t58506160*, int32_t, int32_t >::Invoke(17 /* System.Byte[] Mono.Security.Cryptography.SymmetricTransform::TransformFinalBlock(System.Byte[],System.Int32,System.Int32) */, L_0, L_1, L_2, L_3); return L_4; } } // System.Void System.Security.Cryptography.RijndaelTransform::.ctor(System.Security.Cryptography.Rijndael,System.Boolean,System.Byte[],System.Byte[]) extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern TypeInfo* Int32_t2847414787_il2cpp_TypeInfo_var; extern TypeInfo* UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var; extern TypeInfo* RijndaelTransform_t2468220198_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral632339964; extern Il2CppCodeGenString* _stringLiteral1688174393; extern Il2CppCodeGenString* _stringLiteral3873498541; extern const uint32_t RijndaelTransform__ctor_m4212591387_MetadataUsageId; extern "C" void RijndaelTransform__ctor_m4212591387 (RijndaelTransform_t2468220198 * __this, Rijndael_t277002104 * ___algo, bool ___encryption, ByteU5BU5D_t58506160* ___key, ByteU5BU5D_t58506160* ___iv, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelTransform__ctor_m4212591387_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; int32_t V_1 = 0; String_t* V_2 = NULL; int32_t V_3 = 0; int32_t V_4 = 0; UInt32U5BU5D_t2133601851* V_5 = NULL; int32_t V_6 = 0; int32_t V_7 = 0; uint32_t V_8 = 0; int32_t V_9 = 0; uint32_t V_10 = 0; uint32_t V_11 = 0; int32_t V_12 = 0; int32_t V_13 = 0; int32_t V_14 = 0; uint32_t V_15 = 0; int32_t V_16 = 0; { Rijndael_t277002104 * L_0 = ___algo; bool L_1 = ___encryption; ByteU5BU5D_t58506160* L_2 = ___iv; SymmetricTransform__ctor_m1475215417(__this, L_0, L_1, L_2, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_3 = ___key; if (L_3) { goto IL_001b; } } { CryptographicException_t3718270561 * L_4 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_4, _stringLiteral632339964, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_001b: { ByteU5BU5D_t58506160* L_5 = ___iv; if (!L_5) { goto IL_0067; } } { ByteU5BU5D_t58506160* L_6 = ___iv; NullCheck(L_6); Rijndael_t277002104 * L_7 = ___algo; NullCheck(L_7); int32_t L_8 = VirtFuncInvoker0< int32_t >::Invoke(6 /* System.Int32 System.Security.Cryptography.SymmetricAlgorithm::get_BlockSize() */, L_7); if ((((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))) == ((int32_t)((int32_t)((int32_t)L_8>>(int32_t)3))))) { goto IL_0067; } } { ObjectU5BU5D_t11523773* L_9 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)2)); ByteU5BU5D_t58506160* L_10 = ___iv; NullCheck(L_10); int32_t L_11 = (((int32_t)((int32_t)(((Il2CppArray *)L_10)->max_length)))); Il2CppObject * L_12 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_11); NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, 0); ArrayElementTypeCheck (L_9, L_12); (L_9)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_12); ObjectU5BU5D_t11523773* L_13 = L_9; Rijndael_t277002104 * L_14 = ___algo; NullCheck(L_14); int32_t L_15 = VirtFuncInvoker0< int32_t >::Invoke(6 /* System.Int32 System.Security.Cryptography.SymmetricAlgorithm::get_BlockSize() */, L_14); int32_t L_16 = ((int32_t)((int32_t)L_15>>(int32_t)3)); Il2CppObject * L_17 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_16); NullCheck(L_13); IL2CPP_ARRAY_BOUNDS_CHECK(L_13, 1); ArrayElementTypeCheck (L_13, L_17); (L_13)->SetAt(static_cast<il2cpp_array_size_t>(1), (Il2CppObject *)L_17); String_t* L_18 = Locale_GetText_m2218462520(NULL /*static, unused*/, _stringLiteral1688174393, L_13, /*hidden argument*/NULL); V_0 = L_18; String_t* L_19 = V_0; CryptographicException_t3718270561 * L_20 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_20, L_19, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_20); } IL_0067: { ByteU5BU5D_t58506160* L_21 = ___key; NullCheck(L_21); V_1 = (((int32_t)((int32_t)(((Il2CppArray *)L_21)->max_length)))); int32_t L_22 = V_1; if ((((int32_t)L_22) == ((int32_t)((int32_t)16)))) { goto IL_00c2; } } { int32_t L_23 = V_1; if ((((int32_t)L_23) == ((int32_t)((int32_t)24)))) { goto IL_00c2; } } { int32_t L_24 = V_1; if ((((int32_t)L_24) == ((int32_t)((int32_t)32)))) { goto IL_00c2; } } { ObjectU5BU5D_t11523773* L_25 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)4)); int32_t L_26 = V_1; int32_t L_27 = L_26; Il2CppObject * L_28 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_27); NullCheck(L_25); IL2CPP_ARRAY_BOUNDS_CHECK(L_25, 0); ArrayElementTypeCheck (L_25, L_28); (L_25)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_28); ObjectU5BU5D_t11523773* L_29 = L_25; int32_t L_30 = ((int32_t)16); Il2CppObject * L_31 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_30); NullCheck(L_29); IL2CPP_ARRAY_BOUNDS_CHECK(L_29, 1); ArrayElementTypeCheck (L_29, L_31); (L_29)->SetAt(static_cast<il2cpp_array_size_t>(1), (Il2CppObject *)L_31); ObjectU5BU5D_t11523773* L_32 = L_29; int32_t L_33 = ((int32_t)24); Il2CppObject * L_34 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_33); NullCheck(L_32); IL2CPP_ARRAY_BOUNDS_CHECK(L_32, 2); ArrayElementTypeCheck (L_32, L_34); (L_32)->SetAt(static_cast<il2cpp_array_size_t>(2), (Il2CppObject *)L_34); ObjectU5BU5D_t11523773* L_35 = L_32; int32_t L_36 = ((int32_t)32); Il2CppObject * L_37 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_36); NullCheck(L_35); IL2CPP_ARRAY_BOUNDS_CHECK(L_35, 3); ArrayElementTypeCheck (L_35, L_37); (L_35)->SetAt(static_cast<il2cpp_array_size_t>(3), (Il2CppObject *)L_37); String_t* L_38 = Locale_GetText_m2218462520(NULL /*static, unused*/, _stringLiteral3873498541, L_35, /*hidden argument*/NULL); V_2 = L_38; String_t* L_39 = V_2; CryptographicException_t3718270561 * L_40 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_40, L_39, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_40); } IL_00c2: { int32_t L_41 = V_1; V_1 = ((int32_t)((int32_t)L_41<<(int32_t)3)); Rijndael_t277002104 * L_42 = ___algo; NullCheck(L_42); int32_t L_43 = VirtFuncInvoker0< int32_t >::Invoke(6 /* System.Int32 System.Security.Cryptography.SymmetricAlgorithm::get_BlockSize() */, L_42); V_3 = L_43; int32_t L_44 = V_3; __this->set_Nb_13(((int32_t)((int32_t)L_44>>(int32_t)5))); int32_t L_45 = V_1; __this->set_Nk_14(((int32_t)((int32_t)L_45>>(int32_t)5))); int32_t L_46 = __this->get_Nb_13(); if ((((int32_t)L_46) == ((int32_t)8))) { goto IL_00f7; } } { int32_t L_47 = __this->get_Nk_14(); if ((!(((uint32_t)L_47) == ((uint32_t)8)))) { goto IL_0104; } } IL_00f7: { __this->set_Nr_15(((int32_t)14)); goto IL_0131; } IL_0104: { int32_t L_48 = __this->get_Nb_13(); if ((((int32_t)L_48) == ((int32_t)6))) { goto IL_011c; } } { int32_t L_49 = __this->get_Nk_14(); if ((!(((uint32_t)L_49) == ((uint32_t)6)))) { goto IL_0129; } } IL_011c: { __this->set_Nr_15(((int32_t)12)); goto IL_0131; } IL_0129: { __this->set_Nr_15(((int32_t)10)); } IL_0131: { int32_t L_50 = __this->get_Nb_13(); int32_t L_51 = __this->get_Nr_15(); V_4 = ((int32_t)((int32_t)L_50*(int32_t)((int32_t)((int32_t)L_51+(int32_t)1)))); int32_t L_52 = V_4; V_5 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)L_52)); V_6 = 0; V_7 = 0; goto IL_01a0; } IL_0156: { ByteU5BU5D_t58506160* L_53 = ___key; int32_t L_54 = V_6; int32_t L_55 = L_54; V_6 = ((int32_t)((int32_t)L_55+(int32_t)1)); NullCheck(L_53); IL2CPP_ARRAY_BOUNDS_CHECK(L_53, L_55); int32_t L_56 = L_55; V_8 = ((int32_t)((int32_t)((L_53)->GetAt(static_cast<il2cpp_array_size_t>(L_56)))<<(int32_t)((int32_t)24))); uint32_t L_57 = V_8; ByteU5BU5D_t58506160* L_58 = ___key; int32_t L_59 = V_6; int32_t L_60 = L_59; V_6 = ((int32_t)((int32_t)L_60+(int32_t)1)); NullCheck(L_58); IL2CPP_ARRAY_BOUNDS_CHECK(L_58, L_60); int32_t L_61 = L_60; V_8 = ((int32_t)((int32_t)L_57|(int32_t)((int32_t)((int32_t)((L_58)->GetAt(static_cast<il2cpp_array_size_t>(L_61)))<<(int32_t)((int32_t)16))))); uint32_t L_62 = V_8; ByteU5BU5D_t58506160* L_63 = ___key; int32_t L_64 = V_6; int32_t L_65 = L_64; V_6 = ((int32_t)((int32_t)L_65+(int32_t)1)); NullCheck(L_63); IL2CPP_ARRAY_BOUNDS_CHECK(L_63, L_65); int32_t L_66 = L_65; V_8 = ((int32_t)((int32_t)L_62|(int32_t)((int32_t)((int32_t)((L_63)->GetAt(static_cast<il2cpp_array_size_t>(L_66)))<<(int32_t)8)))); uint32_t L_67 = V_8; ByteU5BU5D_t58506160* L_68 = ___key; int32_t L_69 = V_6; int32_t L_70 = L_69; V_6 = ((int32_t)((int32_t)L_70+(int32_t)1)); NullCheck(L_68); IL2CPP_ARRAY_BOUNDS_CHECK(L_68, L_70); int32_t L_71 = L_70; V_8 = ((int32_t)((int32_t)L_67|(int32_t)((L_68)->GetAt(static_cast<il2cpp_array_size_t>(L_71))))); UInt32U5BU5D_t2133601851* L_72 = V_5; int32_t L_73 = V_7; uint32_t L_74 = V_8; NullCheck(L_72); IL2CPP_ARRAY_BOUNDS_CHECK(L_72, L_73); (L_72)->SetAt(static_cast<il2cpp_array_size_t>(L_73), (uint32_t)L_74); int32_t L_75 = V_7; V_7 = ((int32_t)((int32_t)L_75+(int32_t)1)); } IL_01a0: { int32_t L_76 = V_7; int32_t L_77 = __this->get_Nk_14(); if ((((int32_t)L_76) < ((int32_t)L_77))) { goto IL_0156; } } { int32_t L_78 = __this->get_Nk_14(); V_9 = L_78; goto IL_0241; } IL_01ba: { UInt32U5BU5D_t2133601851* L_79 = V_5; int32_t L_80 = V_9; NullCheck(L_79); IL2CPP_ARRAY_BOUNDS_CHECK(L_79, ((int32_t)((int32_t)L_80-(int32_t)1))); int32_t L_81 = ((int32_t)((int32_t)L_80-(int32_t)1)); V_10 = ((L_79)->GetAt(static_cast<il2cpp_array_size_t>(L_81))); int32_t L_82 = V_9; int32_t L_83 = __this->get_Nk_14(); if (((int32_t)((int32_t)L_82%(int32_t)L_83))) { goto IL_0202; } } { uint32_t L_84 = V_10; uint32_t L_85 = V_10; V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)L_84<<(int32_t)8))|(int32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_85>>((int32_t)24)))&(int32_t)((int32_t)255))))); uint32_t L_86 = V_11; uint32_t L_87 = RijndaelTransform_SubByte_m2002058519(__this, L_86, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_88 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_Rcon_16(); int32_t L_89 = V_9; int32_t L_90 = __this->get_Nk_14(); NullCheck(L_88); IL2CPP_ARRAY_BOUNDS_CHECK(L_88, ((int32_t)((int32_t)L_89/(int32_t)L_90))); int32_t L_91 = ((int32_t)((int32_t)L_89/(int32_t)L_90)); V_10 = ((int32_t)((int32_t)L_87^(int32_t)((L_88)->GetAt(static_cast<il2cpp_array_size_t>(L_91))))); goto IL_0227; } IL_0202: { int32_t L_92 = __this->get_Nk_14(); if ((((int32_t)L_92) <= ((int32_t)6))) { goto IL_0227; } } { int32_t L_93 = V_9; int32_t L_94 = __this->get_Nk_14(); if ((!(((uint32_t)((int32_t)((int32_t)L_93%(int32_t)L_94))) == ((uint32_t)4)))) { goto IL_0227; } } { uint32_t L_95 = V_10; uint32_t L_96 = RijndaelTransform_SubByte_m2002058519(__this, L_95, /*hidden argument*/NULL); V_10 = L_96; } IL_0227: { UInt32U5BU5D_t2133601851* L_97 = V_5; int32_t L_98 = V_9; UInt32U5BU5D_t2133601851* L_99 = V_5; int32_t L_100 = V_9; int32_t L_101 = __this->get_Nk_14(); NullCheck(L_99); IL2CPP_ARRAY_BOUNDS_CHECK(L_99, ((int32_t)((int32_t)L_100-(int32_t)L_101))); int32_t L_102 = ((int32_t)((int32_t)L_100-(int32_t)L_101)); uint32_t L_103 = V_10; NullCheck(L_97); IL2CPP_ARRAY_BOUNDS_CHECK(L_97, L_98); (L_97)->SetAt(static_cast<il2cpp_array_size_t>(L_98), (uint32_t)((int32_t)((int32_t)((L_99)->GetAt(static_cast<il2cpp_array_size_t>(L_102)))^(int32_t)L_103))); int32_t L_104 = V_9; V_9 = ((int32_t)((int32_t)L_104+(int32_t)1)); } IL_0241: { int32_t L_105 = V_9; int32_t L_106 = V_4; if ((((int32_t)L_105) < ((int32_t)L_106))) { goto IL_01ba; } } { bool L_107 = ___encryption; if (L_107) { goto IL_0356; } } { Rijndael_t277002104 * L_108 = ___algo; NullCheck(L_108); int32_t L_109 = VirtFuncInvoker0< int32_t >::Invoke(16 /* System.Security.Cryptography.CipherMode System.Security.Cryptography.SymmetricAlgorithm::get_Mode() */, L_108); if ((((int32_t)L_109) == ((int32_t)2))) { goto IL_0268; } } { Rijndael_t277002104 * L_110 = ___algo; NullCheck(L_110); int32_t L_111 = VirtFuncInvoker0< int32_t >::Invoke(16 /* System.Security.Cryptography.CipherMode System.Security.Cryptography.SymmetricAlgorithm::get_Mode() */, L_110); if ((!(((uint32_t)L_111) == ((uint32_t)1)))) { goto IL_0356; } } IL_0268: { V_12 = 0; int32_t L_112 = V_4; int32_t L_113 = __this->get_Nb_13(); V_13 = ((int32_t)((int32_t)L_112-(int32_t)L_113)); goto IL_02d0; } IL_027b: { V_14 = 0; goto IL_02ad; } IL_0283: { UInt32U5BU5D_t2133601851* L_114 = V_5; int32_t L_115 = V_12; int32_t L_116 = V_14; NullCheck(L_114); IL2CPP_ARRAY_BOUNDS_CHECK(L_114, ((int32_t)((int32_t)L_115+(int32_t)L_116))); int32_t L_117 = ((int32_t)((int32_t)L_115+(int32_t)L_116)); V_15 = ((L_114)->GetAt(static_cast<il2cpp_array_size_t>(L_117))); UInt32U5BU5D_t2133601851* L_118 = V_5; int32_t L_119 = V_12; int32_t L_120 = V_14; UInt32U5BU5D_t2133601851* L_121 = V_5; int32_t L_122 = V_13; int32_t L_123 = V_14; NullCheck(L_121); IL2CPP_ARRAY_BOUNDS_CHECK(L_121, ((int32_t)((int32_t)L_122+(int32_t)L_123))); int32_t L_124 = ((int32_t)((int32_t)L_122+(int32_t)L_123)); NullCheck(L_118); IL2CPP_ARRAY_BOUNDS_CHECK(L_118, ((int32_t)((int32_t)L_119+(int32_t)L_120))); (L_118)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_119+(int32_t)L_120))), (uint32_t)((L_121)->GetAt(static_cast<il2cpp_array_size_t>(L_124)))); UInt32U5BU5D_t2133601851* L_125 = V_5; int32_t L_126 = V_13; int32_t L_127 = V_14; uint32_t L_128 = V_15; NullCheck(L_125); IL2CPP_ARRAY_BOUNDS_CHECK(L_125, ((int32_t)((int32_t)L_126+(int32_t)L_127))); (L_125)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_126+(int32_t)L_127))), (uint32_t)L_128); int32_t L_129 = V_14; V_14 = ((int32_t)((int32_t)L_129+(int32_t)1)); } IL_02ad: { int32_t L_130 = V_14; int32_t L_131 = __this->get_Nb_13(); if ((((int32_t)L_130) < ((int32_t)L_131))) { goto IL_0283; } } { int32_t L_132 = V_12; int32_t L_133 = __this->get_Nb_13(); V_12 = ((int32_t)((int32_t)L_132+(int32_t)L_133)); int32_t L_134 = V_13; int32_t L_135 = __this->get_Nb_13(); V_13 = ((int32_t)((int32_t)L_134-(int32_t)L_135)); } IL_02d0: { int32_t L_136 = V_12; int32_t L_137 = V_13; if ((((int32_t)L_136) < ((int32_t)L_137))) { goto IL_027b; } } { int32_t L_138 = __this->get_Nb_13(); V_16 = L_138; goto IL_0344; } IL_02e6: { UInt32U5BU5D_t2133601851* L_139 = V_5; int32_t L_140 = V_16; IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_141 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); ByteU5BU5D_t58506160* L_142 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); UInt32U5BU5D_t2133601851* L_143 = V_5; int32_t L_144 = V_16; NullCheck(L_143); IL2CPP_ARRAY_BOUNDS_CHECK(L_143, L_144); int32_t L_145 = L_144; NullCheck(L_142); IL2CPP_ARRAY_BOUNDS_CHECK(L_142, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)((L_143)->GetAt(static_cast<il2cpp_array_size_t>(L_145)))>>((int32_t)24)))))); uintptr_t L_146 = (((uintptr_t)((int32_t)((uint32_t)((L_143)->GetAt(static_cast<il2cpp_array_size_t>(L_145)))>>((int32_t)24))))); NullCheck(L_141); IL2CPP_ARRAY_BOUNDS_CHECK(L_141, ((L_142)->GetAt(static_cast<il2cpp_array_size_t>(L_146)))); uint8_t L_147 = ((L_142)->GetAt(static_cast<il2cpp_array_size_t>(L_146))); UInt32U5BU5D_t2133601851* L_148 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); ByteU5BU5D_t58506160* L_149 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); UInt32U5BU5D_t2133601851* L_150 = V_5; int32_t L_151 = V_16; NullCheck(L_150); IL2CPP_ARRAY_BOUNDS_CHECK(L_150, L_151); int32_t L_152 = L_151; NullCheck(L_149); IL2CPP_ARRAY_BOUNDS_CHECK(L_149, (((int32_t)((uint8_t)((int32_t)((uint32_t)((L_150)->GetAt(static_cast<il2cpp_array_size_t>(L_152)))>>((int32_t)16))))))); int32_t L_153 = (((int32_t)((uint8_t)((int32_t)((uint32_t)((L_150)->GetAt(static_cast<il2cpp_array_size_t>(L_152)))>>((int32_t)16)))))); NullCheck(L_148); IL2CPP_ARRAY_BOUNDS_CHECK(L_148, ((L_149)->GetAt(static_cast<il2cpp_array_size_t>(L_153)))); uint8_t L_154 = ((L_149)->GetAt(static_cast<il2cpp_array_size_t>(L_153))); UInt32U5BU5D_t2133601851* L_155 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); ByteU5BU5D_t58506160* L_156 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); UInt32U5BU5D_t2133601851* L_157 = V_5; int32_t L_158 = V_16; NullCheck(L_157); IL2CPP_ARRAY_BOUNDS_CHECK(L_157, L_158); int32_t L_159 = L_158; NullCheck(L_156); IL2CPP_ARRAY_BOUNDS_CHECK(L_156, (((int32_t)((uint8_t)((int32_t)((uint32_t)((L_157)->GetAt(static_cast<il2cpp_array_size_t>(L_159)))>>8)))))); int32_t L_160 = (((int32_t)((uint8_t)((int32_t)((uint32_t)((L_157)->GetAt(static_cast<il2cpp_array_size_t>(L_159)))>>8))))); NullCheck(L_155); IL2CPP_ARRAY_BOUNDS_CHECK(L_155, ((L_156)->GetAt(static_cast<il2cpp_array_size_t>(L_160)))); uint8_t L_161 = ((L_156)->GetAt(static_cast<il2cpp_array_size_t>(L_160))); UInt32U5BU5D_t2133601851* L_162 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); ByteU5BU5D_t58506160* L_163 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); UInt32U5BU5D_t2133601851* L_164 = V_5; int32_t L_165 = V_16; NullCheck(L_164); IL2CPP_ARRAY_BOUNDS_CHECK(L_164, L_165); int32_t L_166 = L_165; NullCheck(L_163); IL2CPP_ARRAY_BOUNDS_CHECK(L_163, (((int32_t)((uint8_t)((L_164)->GetAt(static_cast<il2cpp_array_size_t>(L_166))))))); int32_t L_167 = (((int32_t)((uint8_t)((L_164)->GetAt(static_cast<il2cpp_array_size_t>(L_166)))))); NullCheck(L_162); IL2CPP_ARRAY_BOUNDS_CHECK(L_162, ((L_163)->GetAt(static_cast<il2cpp_array_size_t>(L_167)))); uint8_t L_168 = ((L_163)->GetAt(static_cast<il2cpp_array_size_t>(L_167))); NullCheck(L_139); IL2CPP_ARRAY_BOUNDS_CHECK(L_139, L_140); (L_139)->SetAt(static_cast<il2cpp_array_size_t>(L_140), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_141)->GetAt(static_cast<il2cpp_array_size_t>(L_147)))^(int32_t)((L_148)->GetAt(static_cast<il2cpp_array_size_t>(L_154)))))^(int32_t)((L_155)->GetAt(static_cast<il2cpp_array_size_t>(L_161)))))^(int32_t)((L_162)->GetAt(static_cast<il2cpp_array_size_t>(L_168)))))); int32_t L_169 = V_16; V_16 = ((int32_t)((int32_t)L_169+(int32_t)1)); } IL_0344: { int32_t L_170 = V_16; UInt32U5BU5D_t2133601851* L_171 = V_5; NullCheck(L_171); int32_t L_172 = __this->get_Nb_13(); if ((((int32_t)L_170) < ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_171)->max_length))))-(int32_t)L_172))))) { goto IL_02e6; } } IL_0356: { UInt32U5BU5D_t2133601851* L_173 = V_5; __this->set_expandedKey_12(L_173); return; } } // System.Void System.Security.Cryptography.RijndaelTransform::.cctor() extern TypeInfo* UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var; extern TypeInfo* RijndaelTransform_t2468220198_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D45_35_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D46_36_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D47_37_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D48_38_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D49_39_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D50_40_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D51_41_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D52_42_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D53_43_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D54_44_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D55_45_FieldInfo_var; extern const uint32_t RijndaelTransform__cctor_m2341284277_MetadataUsageId; extern "C" void RijndaelTransform__cctor_m2341284277 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelTransform__cctor_m2341284277_MetadataUsageId); s_Il2CppMethodIntialized = true; } { UInt32U5BU5D_t2133601851* L_0 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)30))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_0, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D45_35_FieldInfo_var), /*hidden argument*/NULL); ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->set_Rcon_16(L_0); ByteU5BU5D_t58506160* L_1 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_1, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D46_36_FieldInfo_var), /*hidden argument*/NULL); ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->set_SBox_17(L_1); ByteU5BU5D_t58506160* L_2 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_2, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D47_37_FieldInfo_var), /*hidden argument*/NULL); ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->set_iSBox_18(L_2); UInt32U5BU5D_t2133601851* L_3 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_3, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D48_38_FieldInfo_var), /*hidden argument*/NULL); ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->set_T0_19(L_3); UInt32U5BU5D_t2133601851* L_4 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_4, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D49_39_FieldInfo_var), /*hidden argument*/NULL); ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->set_T1_20(L_4); UInt32U5BU5D_t2133601851* L_5 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_5, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D50_40_FieldInfo_var), /*hidden argument*/NULL); ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->set_T2_21(L_5); UInt32U5BU5D_t2133601851* L_6 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_6, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D51_41_FieldInfo_var), /*hidden argument*/NULL); ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->set_T3_22(L_6); UInt32U5BU5D_t2133601851* L_7 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_7, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D52_42_FieldInfo_var), /*hidden argument*/NULL); ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->set_iT0_23(L_7); UInt32U5BU5D_t2133601851* L_8 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_8, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D53_43_FieldInfo_var), /*hidden argument*/NULL); ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->set_iT1_24(L_8); UInt32U5BU5D_t2133601851* L_9 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_9, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D54_44_FieldInfo_var), /*hidden argument*/NULL); ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->set_iT2_25(L_9); UInt32U5BU5D_t2133601851* L_10 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_10, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D55_45_FieldInfo_var), /*hidden argument*/NULL); ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->set_iT3_26(L_10); return; } } // System.Void System.Security.Cryptography.RijndaelTransform::Clear() extern "C" void RijndaelTransform_Clear_m4008934691 (RijndaelTransform_t2468220198 * __this, const MethodInfo* method) { { VirtActionInvoker1< bool >::Invoke(8 /* System.Void Mono.Security.Cryptography.SymmetricTransform::Dispose(System.Boolean) */, __this, (bool)1); return; } } // System.Void System.Security.Cryptography.RijndaelTransform::ECB(System.Byte[],System.Byte[]) extern "C" void RijndaelTransform_ECB_m759186162 (RijndaelTransform_t2468220198 * __this, ByteU5BU5D_t58506160* ___input, ByteU5BU5D_t58506160* ___output, const MethodInfo* method) { int32_t V_0 = 0; { bool L_0 = ((SymmetricTransform_t3854241866 *)__this)->get_encrypt_1(); if (!L_0) { goto IL_0065; } } { int32_t L_1 = __this->get_Nb_13(); V_0 = L_1; int32_t L_2 = V_0; if (((int32_t)((int32_t)L_2-(int32_t)4)) == 0) { goto IL_0033; } if (((int32_t)((int32_t)L_2-(int32_t)4)) == 1) { goto IL_0060; } if (((int32_t)((int32_t)L_2-(int32_t)4)) == 2) { goto IL_0042; } if (((int32_t)((int32_t)L_2-(int32_t)4)) == 3) { goto IL_0060; } if (((int32_t)((int32_t)L_2-(int32_t)4)) == 4) { goto IL_0051; } } { goto IL_0060; } IL_0033: { ByteU5BU5D_t58506160* L_3 = ___input; ByteU5BU5D_t58506160* L_4 = ___output; UInt32U5BU5D_t2133601851* L_5 = __this->get_expandedKey_12(); RijndaelTransform_Encrypt128_m3918367840(__this, L_3, L_4, L_5, /*hidden argument*/NULL); return; } IL_0042: { ByteU5BU5D_t58506160* L_6 = ___input; ByteU5BU5D_t58506160* L_7 = ___output; UInt32U5BU5D_t2133601851* L_8 = __this->get_expandedKey_12(); RijndaelTransform_Encrypt192_m3340191341(__this, L_6, L_7, L_8, /*hidden argument*/NULL); return; } IL_0051: { ByteU5BU5D_t58506160* L_9 = ___input; ByteU5BU5D_t58506160* L_10 = ___output; UInt32U5BU5D_t2133601851* L_11 = __this->get_expandedKey_12(); RijndaelTransform_Encrypt256_m282559940(__this, L_9, L_10, L_11, /*hidden argument*/NULL); return; } IL_0060: { goto IL_00ba; } IL_0065: { int32_t L_12 = __this->get_Nb_13(); V_0 = L_12; int32_t L_13 = V_0; if (((int32_t)((int32_t)L_13-(int32_t)4)) == 0) { goto IL_008d; } if (((int32_t)((int32_t)L_13-(int32_t)4)) == 1) { goto IL_00ba; } if (((int32_t)((int32_t)L_13-(int32_t)4)) == 2) { goto IL_009c; } if (((int32_t)((int32_t)L_13-(int32_t)4)) == 3) { goto IL_00ba; } if (((int32_t)((int32_t)L_13-(int32_t)4)) == 4) { goto IL_00ab; } } { goto IL_00ba; } IL_008d: { ByteU5BU5D_t58506160* L_14 = ___input; ByteU5BU5D_t58506160* L_15 = ___output; UInt32U5BU5D_t2133601851* L_16 = __this->get_expandedKey_12(); RijndaelTransform_Decrypt128_m3577856904(__this, L_14, L_15, L_16, /*hidden argument*/NULL); return; } IL_009c: { ByteU5BU5D_t58506160* L_17 = ___input; ByteU5BU5D_t58506160* L_18 = ___output; UInt32U5BU5D_t2133601851* L_19 = __this->get_expandedKey_12(); RijndaelTransform_Decrypt192_m2999680405(__this, L_17, L_18, L_19, /*hidden argument*/NULL); return; } IL_00ab: { ByteU5BU5D_t58506160* L_20 = ___input; ByteU5BU5D_t58506160* L_21 = ___output; UInt32U5BU5D_t2133601851* L_22 = __this->get_expandedKey_12(); RijndaelTransform_Decrypt256_m4237016300(__this, L_20, L_21, L_22, /*hidden argument*/NULL); return; } IL_00ba: { return; } } // System.UInt32 System.Security.Cryptography.RijndaelTransform::SubByte(System.UInt32) extern TypeInfo* RijndaelTransform_t2468220198_il2cpp_TypeInfo_var; extern const uint32_t RijndaelTransform_SubByte_m2002058519_MetadataUsageId; extern "C" uint32_t RijndaelTransform_SubByte_m2002058519 (RijndaelTransform_t2468220198 * __this, uint32_t ___a, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelTransform_SubByte_m2002058519_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint32_t V_0 = 0; uint32_t V_1 = 0; { uint32_t L_0 = ___a; V_0 = ((int32_t)((int32_t)((int32_t)255)&(int32_t)L_0)); IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_1 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_2 = V_0; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)L_2))); uintptr_t L_3 = (((uintptr_t)L_2)); V_1 = ((L_1)->GetAt(static_cast<il2cpp_array_size_t>(L_3))); uint32_t L_4 = ___a; V_0 = ((int32_t)((int32_t)((int32_t)255)&(int32_t)((int32_t)((uint32_t)L_4>>8)))); uint32_t L_5 = V_1; ByteU5BU5D_t58506160* L_6 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_7 = V_0; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)L_7))); uintptr_t L_8 = (((uintptr_t)L_7)); V_1 = ((int32_t)((int32_t)L_5|(int32_t)((int32_t)((int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_8)))<<(int32_t)8)))); uint32_t L_9 = ___a; V_0 = ((int32_t)((int32_t)((int32_t)255)&(int32_t)((int32_t)((uint32_t)L_9>>((int32_t)16))))); uint32_t L_10 = V_1; ByteU5BU5D_t58506160* L_11 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_12 = V_0; NullCheck(L_11); IL2CPP_ARRAY_BOUNDS_CHECK(L_11, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)L_12))); uintptr_t L_13 = (((uintptr_t)L_12)); V_1 = ((int32_t)((int32_t)L_10|(int32_t)((int32_t)((int32_t)((L_11)->GetAt(static_cast<il2cpp_array_size_t>(L_13)))<<(int32_t)((int32_t)16))))); uint32_t L_14 = ___a; V_0 = ((int32_t)((int32_t)((int32_t)255)&(int32_t)((int32_t)((uint32_t)L_14>>((int32_t)24))))); uint32_t L_15 = V_1; ByteU5BU5D_t58506160* L_16 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_17 = V_0; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)L_17))); uintptr_t L_18 = (((uintptr_t)L_17)); return ((int32_t)((int32_t)L_15|(int32_t)((int32_t)((int32_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_18)))<<(int32_t)((int32_t)24))))); } } // System.Void System.Security.Cryptography.RijndaelTransform::Encrypt128(System.Byte[],System.Byte[],System.UInt32[]) extern TypeInfo* RijndaelTransform_t2468220198_il2cpp_TypeInfo_var; extern const uint32_t RijndaelTransform_Encrypt128_m3918367840_MetadataUsageId; extern "C" void RijndaelTransform_Encrypt128_m3918367840 (RijndaelTransform_t2468220198 * __this, ByteU5BU5D_t58506160* ___indata, ByteU5BU5D_t58506160* ___outdata, UInt32U5BU5D_t2133601851* ___ekey, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelTransform_Encrypt128_m3918367840_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint32_t V_0 = 0; uint32_t V_1 = 0; uint32_t V_2 = 0; uint32_t V_3 = 0; uint32_t V_4 = 0; uint32_t V_5 = 0; uint32_t V_6 = 0; uint32_t V_7 = 0; int32_t V_8 = 0; { V_8 = ((int32_t)40); ByteU5BU5D_t58506160* L_0 = ___indata; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); int32_t L_1 = 0; ByteU5BU5D_t58506160* L_2 = ___indata; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 1); int32_t L_3 = 1; ByteU5BU5D_t58506160* L_4 = ___indata; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 2); int32_t L_5 = 2; ByteU5BU5D_t58506160* L_6 = ___indata; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 3); int32_t L_7 = 3; UInt32U5BU5D_t2133601851* L_8 = ___ekey; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, 0); int32_t L_9 = 0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_1)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_3)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_5)))<<(int32_t)8))))|(int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))))^(int32_t)((L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_9))))); ByteU5BU5D_t58506160* L_10 = ___indata; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 4); int32_t L_11 = 4; ByteU5BU5D_t58506160* L_12 = ___indata; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, 5); int32_t L_13 = 5; ByteU5BU5D_t58506160* L_14 = ___indata; NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, 6); int32_t L_15 = 6; ByteU5BU5D_t58506160* L_16 = ___indata; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, 7); int32_t L_17 = 7; UInt32U5BU5D_t2133601851* L_18 = ___ekey; NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, 1); int32_t L_19 = 1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_11)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_13)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_15)))<<(int32_t)8))))|(int32_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_17)))))^(int32_t)((L_18)->GetAt(static_cast<il2cpp_array_size_t>(L_19))))); ByteU5BU5D_t58506160* L_20 = ___indata; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, 8); int32_t L_21 = 8; ByteU5BU5D_t58506160* L_22 = ___indata; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, ((int32_t)9)); int32_t L_23 = ((int32_t)9); ByteU5BU5D_t58506160* L_24 = ___indata; NullCheck(L_24); IL2CPP_ARRAY_BOUNDS_CHECK(L_24, ((int32_t)10)); int32_t L_25 = ((int32_t)10); ByteU5BU5D_t58506160* L_26 = ___indata; NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, ((int32_t)11)); int32_t L_27 = ((int32_t)11); UInt32U5BU5D_t2133601851* L_28 = ___ekey; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, 2); int32_t L_29 = 2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_21)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_22)->GetAt(static_cast<il2cpp_array_size_t>(L_23)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_24)->GetAt(static_cast<il2cpp_array_size_t>(L_25)))<<(int32_t)8))))|(int32_t)((L_26)->GetAt(static_cast<il2cpp_array_size_t>(L_27)))))^(int32_t)((L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29))))); ByteU5BU5D_t58506160* L_30 = ___indata; NullCheck(L_30); IL2CPP_ARRAY_BOUNDS_CHECK(L_30, ((int32_t)12)); int32_t L_31 = ((int32_t)12); ByteU5BU5D_t58506160* L_32 = ___indata; NullCheck(L_32); IL2CPP_ARRAY_BOUNDS_CHECK(L_32, ((int32_t)13)); int32_t L_33 = ((int32_t)13); ByteU5BU5D_t58506160* L_34 = ___indata; NullCheck(L_34); IL2CPP_ARRAY_BOUNDS_CHECK(L_34, ((int32_t)14)); int32_t L_35 = ((int32_t)14); ByteU5BU5D_t58506160* L_36 = ___indata; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, ((int32_t)15)); int32_t L_37 = ((int32_t)15); UInt32U5BU5D_t2133601851* L_38 = ___ekey; NullCheck(L_38); IL2CPP_ARRAY_BOUNDS_CHECK(L_38, 3); int32_t L_39 = 3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_30)->GetAt(static_cast<il2cpp_array_size_t>(L_31)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_32)->GetAt(static_cast<il2cpp_array_size_t>(L_33)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_34)->GetAt(static_cast<il2cpp_array_size_t>(L_35)))<<(int32_t)8))))|(int32_t)((L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_37)))))^(int32_t)((L_38)->GetAt(static_cast<il2cpp_array_size_t>(L_39))))); IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_40 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_41 = V_0; NullCheck(L_40); IL2CPP_ARRAY_BOUNDS_CHECK(L_40, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_41>>((int32_t)24)))))); uintptr_t L_42 = (((uintptr_t)((int32_t)((uint32_t)L_41>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_43 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_44 = V_1; NullCheck(L_43); IL2CPP_ARRAY_BOUNDS_CHECK(L_43, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_44>>((int32_t)16))))))); int32_t L_45 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_44>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_46 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_47 = V_2; NullCheck(L_46); IL2CPP_ARRAY_BOUNDS_CHECK(L_46, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_47>>8)))))); int32_t L_48 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_47>>8))))); UInt32U5BU5D_t2133601851* L_49 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_50 = V_3; NullCheck(L_49); IL2CPP_ARRAY_BOUNDS_CHECK(L_49, (((int32_t)((uint8_t)L_50)))); int32_t L_51 = (((int32_t)((uint8_t)L_50))); UInt32U5BU5D_t2133601851* L_52 = ___ekey; NullCheck(L_52); IL2CPP_ARRAY_BOUNDS_CHECK(L_52, 4); int32_t L_53 = 4; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_40)->GetAt(static_cast<il2cpp_array_size_t>(L_42)))^(int32_t)((L_43)->GetAt(static_cast<il2cpp_array_size_t>(L_45)))))^(int32_t)((L_46)->GetAt(static_cast<il2cpp_array_size_t>(L_48)))))^(int32_t)((L_49)->GetAt(static_cast<il2cpp_array_size_t>(L_51)))))^(int32_t)((L_52)->GetAt(static_cast<il2cpp_array_size_t>(L_53))))); UInt32U5BU5D_t2133601851* L_54 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_55 = V_1; NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_55>>((int32_t)24)))))); uintptr_t L_56 = (((uintptr_t)((int32_t)((uint32_t)L_55>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_57 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_58 = V_2; NullCheck(L_57); IL2CPP_ARRAY_BOUNDS_CHECK(L_57, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_58>>((int32_t)16))))))); int32_t L_59 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_58>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_60 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_61 = V_3; NullCheck(L_60); IL2CPP_ARRAY_BOUNDS_CHECK(L_60, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_61>>8)))))); int32_t L_62 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_61>>8))))); UInt32U5BU5D_t2133601851* L_63 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_64 = V_0; NullCheck(L_63); IL2CPP_ARRAY_BOUNDS_CHECK(L_63, (((int32_t)((uint8_t)L_64)))); int32_t L_65 = (((int32_t)((uint8_t)L_64))); UInt32U5BU5D_t2133601851* L_66 = ___ekey; NullCheck(L_66); IL2CPP_ARRAY_BOUNDS_CHECK(L_66, 5); int32_t L_67 = 5; V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_56)))^(int32_t)((L_57)->GetAt(static_cast<il2cpp_array_size_t>(L_59)))))^(int32_t)((L_60)->GetAt(static_cast<il2cpp_array_size_t>(L_62)))))^(int32_t)((L_63)->GetAt(static_cast<il2cpp_array_size_t>(L_65)))))^(int32_t)((L_66)->GetAt(static_cast<il2cpp_array_size_t>(L_67))))); UInt32U5BU5D_t2133601851* L_68 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_69 = V_2; NullCheck(L_68); IL2CPP_ARRAY_BOUNDS_CHECK(L_68, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_69>>((int32_t)24)))))); uintptr_t L_70 = (((uintptr_t)((int32_t)((uint32_t)L_69>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_71 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_72 = V_3; NullCheck(L_71); IL2CPP_ARRAY_BOUNDS_CHECK(L_71, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_72>>((int32_t)16))))))); int32_t L_73 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_72>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_74 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_75 = V_0; NullCheck(L_74); IL2CPP_ARRAY_BOUNDS_CHECK(L_74, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_75>>8)))))); int32_t L_76 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_75>>8))))); UInt32U5BU5D_t2133601851* L_77 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_78 = V_1; NullCheck(L_77); IL2CPP_ARRAY_BOUNDS_CHECK(L_77, (((int32_t)((uint8_t)L_78)))); int32_t L_79 = (((int32_t)((uint8_t)L_78))); UInt32U5BU5D_t2133601851* L_80 = ___ekey; NullCheck(L_80); IL2CPP_ARRAY_BOUNDS_CHECK(L_80, 6); int32_t L_81 = 6; V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_68)->GetAt(static_cast<il2cpp_array_size_t>(L_70)))^(int32_t)((L_71)->GetAt(static_cast<il2cpp_array_size_t>(L_73)))))^(int32_t)((L_74)->GetAt(static_cast<il2cpp_array_size_t>(L_76)))))^(int32_t)((L_77)->GetAt(static_cast<il2cpp_array_size_t>(L_79)))))^(int32_t)((L_80)->GetAt(static_cast<il2cpp_array_size_t>(L_81))))); UInt32U5BU5D_t2133601851* L_82 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_83 = V_3; NullCheck(L_82); IL2CPP_ARRAY_BOUNDS_CHECK(L_82, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_83>>((int32_t)24)))))); uintptr_t L_84 = (((uintptr_t)((int32_t)((uint32_t)L_83>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_85 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_86 = V_0; NullCheck(L_85); IL2CPP_ARRAY_BOUNDS_CHECK(L_85, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_86>>((int32_t)16))))))); int32_t L_87 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_86>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_88 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_89 = V_1; NullCheck(L_88); IL2CPP_ARRAY_BOUNDS_CHECK(L_88, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_89>>8)))))); int32_t L_90 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_89>>8))))); UInt32U5BU5D_t2133601851* L_91 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_92 = V_2; NullCheck(L_91); IL2CPP_ARRAY_BOUNDS_CHECK(L_91, (((int32_t)((uint8_t)L_92)))); int32_t L_93 = (((int32_t)((uint8_t)L_92))); UInt32U5BU5D_t2133601851* L_94 = ___ekey; NullCheck(L_94); IL2CPP_ARRAY_BOUNDS_CHECK(L_94, 7); int32_t L_95 = 7; V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_82)->GetAt(static_cast<il2cpp_array_size_t>(L_84)))^(int32_t)((L_85)->GetAt(static_cast<il2cpp_array_size_t>(L_87)))))^(int32_t)((L_88)->GetAt(static_cast<il2cpp_array_size_t>(L_90)))))^(int32_t)((L_91)->GetAt(static_cast<il2cpp_array_size_t>(L_93)))))^(int32_t)((L_94)->GetAt(static_cast<il2cpp_array_size_t>(L_95))))); UInt32U5BU5D_t2133601851* L_96 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_97 = V_4; NullCheck(L_96); IL2CPP_ARRAY_BOUNDS_CHECK(L_96, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_97>>((int32_t)24)))))); uintptr_t L_98 = (((uintptr_t)((int32_t)((uint32_t)L_97>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_99 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_100 = V_5; NullCheck(L_99); IL2CPP_ARRAY_BOUNDS_CHECK(L_99, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_100>>((int32_t)16))))))); int32_t L_101 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_100>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_102 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_103 = V_6; NullCheck(L_102); IL2CPP_ARRAY_BOUNDS_CHECK(L_102, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_103>>8)))))); int32_t L_104 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_103>>8))))); UInt32U5BU5D_t2133601851* L_105 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_106 = V_7; NullCheck(L_105); IL2CPP_ARRAY_BOUNDS_CHECK(L_105, (((int32_t)((uint8_t)L_106)))); int32_t L_107 = (((int32_t)((uint8_t)L_106))); UInt32U5BU5D_t2133601851* L_108 = ___ekey; NullCheck(L_108); IL2CPP_ARRAY_BOUNDS_CHECK(L_108, 8); int32_t L_109 = 8; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_96)->GetAt(static_cast<il2cpp_array_size_t>(L_98)))^(int32_t)((L_99)->GetAt(static_cast<il2cpp_array_size_t>(L_101)))))^(int32_t)((L_102)->GetAt(static_cast<il2cpp_array_size_t>(L_104)))))^(int32_t)((L_105)->GetAt(static_cast<il2cpp_array_size_t>(L_107)))))^(int32_t)((L_108)->GetAt(static_cast<il2cpp_array_size_t>(L_109))))); UInt32U5BU5D_t2133601851* L_110 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_111 = V_5; NullCheck(L_110); IL2CPP_ARRAY_BOUNDS_CHECK(L_110, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_111>>((int32_t)24)))))); uintptr_t L_112 = (((uintptr_t)((int32_t)((uint32_t)L_111>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_113 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_114 = V_6; NullCheck(L_113); IL2CPP_ARRAY_BOUNDS_CHECK(L_113, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_114>>((int32_t)16))))))); int32_t L_115 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_114>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_116 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_117 = V_7; NullCheck(L_116); IL2CPP_ARRAY_BOUNDS_CHECK(L_116, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_117>>8)))))); int32_t L_118 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_117>>8))))); UInt32U5BU5D_t2133601851* L_119 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_120 = V_4; NullCheck(L_119); IL2CPP_ARRAY_BOUNDS_CHECK(L_119, (((int32_t)((uint8_t)L_120)))); int32_t L_121 = (((int32_t)((uint8_t)L_120))); UInt32U5BU5D_t2133601851* L_122 = ___ekey; NullCheck(L_122); IL2CPP_ARRAY_BOUNDS_CHECK(L_122, ((int32_t)9)); int32_t L_123 = ((int32_t)9); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_110)->GetAt(static_cast<il2cpp_array_size_t>(L_112)))^(int32_t)((L_113)->GetAt(static_cast<il2cpp_array_size_t>(L_115)))))^(int32_t)((L_116)->GetAt(static_cast<il2cpp_array_size_t>(L_118)))))^(int32_t)((L_119)->GetAt(static_cast<il2cpp_array_size_t>(L_121)))))^(int32_t)((L_122)->GetAt(static_cast<il2cpp_array_size_t>(L_123))))); UInt32U5BU5D_t2133601851* L_124 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_125 = V_6; NullCheck(L_124); IL2CPP_ARRAY_BOUNDS_CHECK(L_124, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_125>>((int32_t)24)))))); uintptr_t L_126 = (((uintptr_t)((int32_t)((uint32_t)L_125>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_127 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_128 = V_7; NullCheck(L_127); IL2CPP_ARRAY_BOUNDS_CHECK(L_127, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_128>>((int32_t)16))))))); int32_t L_129 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_128>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_130 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_131 = V_4; NullCheck(L_130); IL2CPP_ARRAY_BOUNDS_CHECK(L_130, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_131>>8)))))); int32_t L_132 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_131>>8))))); UInt32U5BU5D_t2133601851* L_133 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_134 = V_5; NullCheck(L_133); IL2CPP_ARRAY_BOUNDS_CHECK(L_133, (((int32_t)((uint8_t)L_134)))); int32_t L_135 = (((int32_t)((uint8_t)L_134))); UInt32U5BU5D_t2133601851* L_136 = ___ekey; NullCheck(L_136); IL2CPP_ARRAY_BOUNDS_CHECK(L_136, ((int32_t)10)); int32_t L_137 = ((int32_t)10); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_124)->GetAt(static_cast<il2cpp_array_size_t>(L_126)))^(int32_t)((L_127)->GetAt(static_cast<il2cpp_array_size_t>(L_129)))))^(int32_t)((L_130)->GetAt(static_cast<il2cpp_array_size_t>(L_132)))))^(int32_t)((L_133)->GetAt(static_cast<il2cpp_array_size_t>(L_135)))))^(int32_t)((L_136)->GetAt(static_cast<il2cpp_array_size_t>(L_137))))); UInt32U5BU5D_t2133601851* L_138 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_139 = V_7; NullCheck(L_138); IL2CPP_ARRAY_BOUNDS_CHECK(L_138, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_139>>((int32_t)24)))))); uintptr_t L_140 = (((uintptr_t)((int32_t)((uint32_t)L_139>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_141 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_142 = V_4; NullCheck(L_141); IL2CPP_ARRAY_BOUNDS_CHECK(L_141, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_142>>((int32_t)16))))))); int32_t L_143 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_142>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_144 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_145 = V_5; NullCheck(L_144); IL2CPP_ARRAY_BOUNDS_CHECK(L_144, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_145>>8)))))); int32_t L_146 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_145>>8))))); UInt32U5BU5D_t2133601851* L_147 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_148 = V_6; NullCheck(L_147); IL2CPP_ARRAY_BOUNDS_CHECK(L_147, (((int32_t)((uint8_t)L_148)))); int32_t L_149 = (((int32_t)((uint8_t)L_148))); UInt32U5BU5D_t2133601851* L_150 = ___ekey; NullCheck(L_150); IL2CPP_ARRAY_BOUNDS_CHECK(L_150, ((int32_t)11)); int32_t L_151 = ((int32_t)11); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_138)->GetAt(static_cast<il2cpp_array_size_t>(L_140)))^(int32_t)((L_141)->GetAt(static_cast<il2cpp_array_size_t>(L_143)))))^(int32_t)((L_144)->GetAt(static_cast<il2cpp_array_size_t>(L_146)))))^(int32_t)((L_147)->GetAt(static_cast<il2cpp_array_size_t>(L_149)))))^(int32_t)((L_150)->GetAt(static_cast<il2cpp_array_size_t>(L_151))))); UInt32U5BU5D_t2133601851* L_152 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_153 = V_0; NullCheck(L_152); IL2CPP_ARRAY_BOUNDS_CHECK(L_152, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_153>>((int32_t)24)))))); uintptr_t L_154 = (((uintptr_t)((int32_t)((uint32_t)L_153>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_155 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_156 = V_1; NullCheck(L_155); IL2CPP_ARRAY_BOUNDS_CHECK(L_155, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_156>>((int32_t)16))))))); int32_t L_157 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_156>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_158 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_159 = V_2; NullCheck(L_158); IL2CPP_ARRAY_BOUNDS_CHECK(L_158, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_159>>8)))))); int32_t L_160 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_159>>8))))); UInt32U5BU5D_t2133601851* L_161 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_162 = V_3; NullCheck(L_161); IL2CPP_ARRAY_BOUNDS_CHECK(L_161, (((int32_t)((uint8_t)L_162)))); int32_t L_163 = (((int32_t)((uint8_t)L_162))); UInt32U5BU5D_t2133601851* L_164 = ___ekey; NullCheck(L_164); IL2CPP_ARRAY_BOUNDS_CHECK(L_164, ((int32_t)12)); int32_t L_165 = ((int32_t)12); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_152)->GetAt(static_cast<il2cpp_array_size_t>(L_154)))^(int32_t)((L_155)->GetAt(static_cast<il2cpp_array_size_t>(L_157)))))^(int32_t)((L_158)->GetAt(static_cast<il2cpp_array_size_t>(L_160)))))^(int32_t)((L_161)->GetAt(static_cast<il2cpp_array_size_t>(L_163)))))^(int32_t)((L_164)->GetAt(static_cast<il2cpp_array_size_t>(L_165))))); UInt32U5BU5D_t2133601851* L_166 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_167 = V_1; NullCheck(L_166); IL2CPP_ARRAY_BOUNDS_CHECK(L_166, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_167>>((int32_t)24)))))); uintptr_t L_168 = (((uintptr_t)((int32_t)((uint32_t)L_167>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_169 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_170 = V_2; NullCheck(L_169); IL2CPP_ARRAY_BOUNDS_CHECK(L_169, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_170>>((int32_t)16))))))); int32_t L_171 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_170>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_172 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_173 = V_3; NullCheck(L_172); IL2CPP_ARRAY_BOUNDS_CHECK(L_172, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_173>>8)))))); int32_t L_174 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_173>>8))))); UInt32U5BU5D_t2133601851* L_175 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_176 = V_0; NullCheck(L_175); IL2CPP_ARRAY_BOUNDS_CHECK(L_175, (((int32_t)((uint8_t)L_176)))); int32_t L_177 = (((int32_t)((uint8_t)L_176))); UInt32U5BU5D_t2133601851* L_178 = ___ekey; NullCheck(L_178); IL2CPP_ARRAY_BOUNDS_CHECK(L_178, ((int32_t)13)); int32_t L_179 = ((int32_t)13); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_166)->GetAt(static_cast<il2cpp_array_size_t>(L_168)))^(int32_t)((L_169)->GetAt(static_cast<il2cpp_array_size_t>(L_171)))))^(int32_t)((L_172)->GetAt(static_cast<il2cpp_array_size_t>(L_174)))))^(int32_t)((L_175)->GetAt(static_cast<il2cpp_array_size_t>(L_177)))))^(int32_t)((L_178)->GetAt(static_cast<il2cpp_array_size_t>(L_179))))); UInt32U5BU5D_t2133601851* L_180 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_181 = V_2; NullCheck(L_180); IL2CPP_ARRAY_BOUNDS_CHECK(L_180, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_181>>((int32_t)24)))))); uintptr_t L_182 = (((uintptr_t)((int32_t)((uint32_t)L_181>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_183 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_184 = V_3; NullCheck(L_183); IL2CPP_ARRAY_BOUNDS_CHECK(L_183, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_184>>((int32_t)16))))))); int32_t L_185 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_184>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_186 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_187 = V_0; NullCheck(L_186); IL2CPP_ARRAY_BOUNDS_CHECK(L_186, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_187>>8)))))); int32_t L_188 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_187>>8))))); UInt32U5BU5D_t2133601851* L_189 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_190 = V_1; NullCheck(L_189); IL2CPP_ARRAY_BOUNDS_CHECK(L_189, (((int32_t)((uint8_t)L_190)))); int32_t L_191 = (((int32_t)((uint8_t)L_190))); UInt32U5BU5D_t2133601851* L_192 = ___ekey; NullCheck(L_192); IL2CPP_ARRAY_BOUNDS_CHECK(L_192, ((int32_t)14)); int32_t L_193 = ((int32_t)14); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_180)->GetAt(static_cast<il2cpp_array_size_t>(L_182)))^(int32_t)((L_183)->GetAt(static_cast<il2cpp_array_size_t>(L_185)))))^(int32_t)((L_186)->GetAt(static_cast<il2cpp_array_size_t>(L_188)))))^(int32_t)((L_189)->GetAt(static_cast<il2cpp_array_size_t>(L_191)))))^(int32_t)((L_192)->GetAt(static_cast<il2cpp_array_size_t>(L_193))))); UInt32U5BU5D_t2133601851* L_194 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_195 = V_3; NullCheck(L_194); IL2CPP_ARRAY_BOUNDS_CHECK(L_194, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_195>>((int32_t)24)))))); uintptr_t L_196 = (((uintptr_t)((int32_t)((uint32_t)L_195>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_197 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_198 = V_0; NullCheck(L_197); IL2CPP_ARRAY_BOUNDS_CHECK(L_197, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_198>>((int32_t)16))))))); int32_t L_199 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_198>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_200 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_201 = V_1; NullCheck(L_200); IL2CPP_ARRAY_BOUNDS_CHECK(L_200, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_201>>8)))))); int32_t L_202 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_201>>8))))); UInt32U5BU5D_t2133601851* L_203 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_204 = V_2; NullCheck(L_203); IL2CPP_ARRAY_BOUNDS_CHECK(L_203, (((int32_t)((uint8_t)L_204)))); int32_t L_205 = (((int32_t)((uint8_t)L_204))); UInt32U5BU5D_t2133601851* L_206 = ___ekey; NullCheck(L_206); IL2CPP_ARRAY_BOUNDS_CHECK(L_206, ((int32_t)15)); int32_t L_207 = ((int32_t)15); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_194)->GetAt(static_cast<il2cpp_array_size_t>(L_196)))^(int32_t)((L_197)->GetAt(static_cast<il2cpp_array_size_t>(L_199)))))^(int32_t)((L_200)->GetAt(static_cast<il2cpp_array_size_t>(L_202)))))^(int32_t)((L_203)->GetAt(static_cast<il2cpp_array_size_t>(L_205)))))^(int32_t)((L_206)->GetAt(static_cast<il2cpp_array_size_t>(L_207))))); UInt32U5BU5D_t2133601851* L_208 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_209 = V_4; NullCheck(L_208); IL2CPP_ARRAY_BOUNDS_CHECK(L_208, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_209>>((int32_t)24)))))); uintptr_t L_210 = (((uintptr_t)((int32_t)((uint32_t)L_209>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_211 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_212 = V_5; NullCheck(L_211); IL2CPP_ARRAY_BOUNDS_CHECK(L_211, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_212>>((int32_t)16))))))); int32_t L_213 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_212>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_214 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_215 = V_6; NullCheck(L_214); IL2CPP_ARRAY_BOUNDS_CHECK(L_214, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_215>>8)))))); int32_t L_216 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_215>>8))))); UInt32U5BU5D_t2133601851* L_217 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_218 = V_7; NullCheck(L_217); IL2CPP_ARRAY_BOUNDS_CHECK(L_217, (((int32_t)((uint8_t)L_218)))); int32_t L_219 = (((int32_t)((uint8_t)L_218))); UInt32U5BU5D_t2133601851* L_220 = ___ekey; NullCheck(L_220); IL2CPP_ARRAY_BOUNDS_CHECK(L_220, ((int32_t)16)); int32_t L_221 = ((int32_t)16); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_208)->GetAt(static_cast<il2cpp_array_size_t>(L_210)))^(int32_t)((L_211)->GetAt(static_cast<il2cpp_array_size_t>(L_213)))))^(int32_t)((L_214)->GetAt(static_cast<il2cpp_array_size_t>(L_216)))))^(int32_t)((L_217)->GetAt(static_cast<il2cpp_array_size_t>(L_219)))))^(int32_t)((L_220)->GetAt(static_cast<il2cpp_array_size_t>(L_221))))); UInt32U5BU5D_t2133601851* L_222 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_223 = V_5; NullCheck(L_222); IL2CPP_ARRAY_BOUNDS_CHECK(L_222, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_223>>((int32_t)24)))))); uintptr_t L_224 = (((uintptr_t)((int32_t)((uint32_t)L_223>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_225 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_226 = V_6; NullCheck(L_225); IL2CPP_ARRAY_BOUNDS_CHECK(L_225, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_226>>((int32_t)16))))))); int32_t L_227 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_226>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_228 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_229 = V_7; NullCheck(L_228); IL2CPP_ARRAY_BOUNDS_CHECK(L_228, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_229>>8)))))); int32_t L_230 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_229>>8))))); UInt32U5BU5D_t2133601851* L_231 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_232 = V_4; NullCheck(L_231); IL2CPP_ARRAY_BOUNDS_CHECK(L_231, (((int32_t)((uint8_t)L_232)))); int32_t L_233 = (((int32_t)((uint8_t)L_232))); UInt32U5BU5D_t2133601851* L_234 = ___ekey; NullCheck(L_234); IL2CPP_ARRAY_BOUNDS_CHECK(L_234, ((int32_t)17)); int32_t L_235 = ((int32_t)17); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_222)->GetAt(static_cast<il2cpp_array_size_t>(L_224)))^(int32_t)((L_225)->GetAt(static_cast<il2cpp_array_size_t>(L_227)))))^(int32_t)((L_228)->GetAt(static_cast<il2cpp_array_size_t>(L_230)))))^(int32_t)((L_231)->GetAt(static_cast<il2cpp_array_size_t>(L_233)))))^(int32_t)((L_234)->GetAt(static_cast<il2cpp_array_size_t>(L_235))))); UInt32U5BU5D_t2133601851* L_236 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_237 = V_6; NullCheck(L_236); IL2CPP_ARRAY_BOUNDS_CHECK(L_236, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_237>>((int32_t)24)))))); uintptr_t L_238 = (((uintptr_t)((int32_t)((uint32_t)L_237>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_239 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_240 = V_7; NullCheck(L_239); IL2CPP_ARRAY_BOUNDS_CHECK(L_239, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_240>>((int32_t)16))))))); int32_t L_241 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_240>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_242 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_243 = V_4; NullCheck(L_242); IL2CPP_ARRAY_BOUNDS_CHECK(L_242, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_243>>8)))))); int32_t L_244 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_243>>8))))); UInt32U5BU5D_t2133601851* L_245 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_246 = V_5; NullCheck(L_245); IL2CPP_ARRAY_BOUNDS_CHECK(L_245, (((int32_t)((uint8_t)L_246)))); int32_t L_247 = (((int32_t)((uint8_t)L_246))); UInt32U5BU5D_t2133601851* L_248 = ___ekey; NullCheck(L_248); IL2CPP_ARRAY_BOUNDS_CHECK(L_248, ((int32_t)18)); int32_t L_249 = ((int32_t)18); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_236)->GetAt(static_cast<il2cpp_array_size_t>(L_238)))^(int32_t)((L_239)->GetAt(static_cast<il2cpp_array_size_t>(L_241)))))^(int32_t)((L_242)->GetAt(static_cast<il2cpp_array_size_t>(L_244)))))^(int32_t)((L_245)->GetAt(static_cast<il2cpp_array_size_t>(L_247)))))^(int32_t)((L_248)->GetAt(static_cast<il2cpp_array_size_t>(L_249))))); UInt32U5BU5D_t2133601851* L_250 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_251 = V_7; NullCheck(L_250); IL2CPP_ARRAY_BOUNDS_CHECK(L_250, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_251>>((int32_t)24)))))); uintptr_t L_252 = (((uintptr_t)((int32_t)((uint32_t)L_251>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_253 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_254 = V_4; NullCheck(L_253); IL2CPP_ARRAY_BOUNDS_CHECK(L_253, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_254>>((int32_t)16))))))); int32_t L_255 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_254>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_256 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_257 = V_5; NullCheck(L_256); IL2CPP_ARRAY_BOUNDS_CHECK(L_256, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_257>>8)))))); int32_t L_258 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_257>>8))))); UInt32U5BU5D_t2133601851* L_259 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_260 = V_6; NullCheck(L_259); IL2CPP_ARRAY_BOUNDS_CHECK(L_259, (((int32_t)((uint8_t)L_260)))); int32_t L_261 = (((int32_t)((uint8_t)L_260))); UInt32U5BU5D_t2133601851* L_262 = ___ekey; NullCheck(L_262); IL2CPP_ARRAY_BOUNDS_CHECK(L_262, ((int32_t)19)); int32_t L_263 = ((int32_t)19); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_250)->GetAt(static_cast<il2cpp_array_size_t>(L_252)))^(int32_t)((L_253)->GetAt(static_cast<il2cpp_array_size_t>(L_255)))))^(int32_t)((L_256)->GetAt(static_cast<il2cpp_array_size_t>(L_258)))))^(int32_t)((L_259)->GetAt(static_cast<il2cpp_array_size_t>(L_261)))))^(int32_t)((L_262)->GetAt(static_cast<il2cpp_array_size_t>(L_263))))); UInt32U5BU5D_t2133601851* L_264 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_265 = V_0; NullCheck(L_264); IL2CPP_ARRAY_BOUNDS_CHECK(L_264, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_265>>((int32_t)24)))))); uintptr_t L_266 = (((uintptr_t)((int32_t)((uint32_t)L_265>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_267 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_268 = V_1; NullCheck(L_267); IL2CPP_ARRAY_BOUNDS_CHECK(L_267, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_268>>((int32_t)16))))))); int32_t L_269 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_268>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_270 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_271 = V_2; NullCheck(L_270); IL2CPP_ARRAY_BOUNDS_CHECK(L_270, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_271>>8)))))); int32_t L_272 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_271>>8))))); UInt32U5BU5D_t2133601851* L_273 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_274 = V_3; NullCheck(L_273); IL2CPP_ARRAY_BOUNDS_CHECK(L_273, (((int32_t)((uint8_t)L_274)))); int32_t L_275 = (((int32_t)((uint8_t)L_274))); UInt32U5BU5D_t2133601851* L_276 = ___ekey; NullCheck(L_276); IL2CPP_ARRAY_BOUNDS_CHECK(L_276, ((int32_t)20)); int32_t L_277 = ((int32_t)20); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_264)->GetAt(static_cast<il2cpp_array_size_t>(L_266)))^(int32_t)((L_267)->GetAt(static_cast<il2cpp_array_size_t>(L_269)))))^(int32_t)((L_270)->GetAt(static_cast<il2cpp_array_size_t>(L_272)))))^(int32_t)((L_273)->GetAt(static_cast<il2cpp_array_size_t>(L_275)))))^(int32_t)((L_276)->GetAt(static_cast<il2cpp_array_size_t>(L_277))))); UInt32U5BU5D_t2133601851* L_278 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_279 = V_1; NullCheck(L_278); IL2CPP_ARRAY_BOUNDS_CHECK(L_278, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_279>>((int32_t)24)))))); uintptr_t L_280 = (((uintptr_t)((int32_t)((uint32_t)L_279>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_281 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_282 = V_2; NullCheck(L_281); IL2CPP_ARRAY_BOUNDS_CHECK(L_281, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_282>>((int32_t)16))))))); int32_t L_283 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_282>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_284 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_285 = V_3; NullCheck(L_284); IL2CPP_ARRAY_BOUNDS_CHECK(L_284, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_285>>8)))))); int32_t L_286 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_285>>8))))); UInt32U5BU5D_t2133601851* L_287 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_288 = V_0; NullCheck(L_287); IL2CPP_ARRAY_BOUNDS_CHECK(L_287, (((int32_t)((uint8_t)L_288)))); int32_t L_289 = (((int32_t)((uint8_t)L_288))); UInt32U5BU5D_t2133601851* L_290 = ___ekey; NullCheck(L_290); IL2CPP_ARRAY_BOUNDS_CHECK(L_290, ((int32_t)21)); int32_t L_291 = ((int32_t)21); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_278)->GetAt(static_cast<il2cpp_array_size_t>(L_280)))^(int32_t)((L_281)->GetAt(static_cast<il2cpp_array_size_t>(L_283)))))^(int32_t)((L_284)->GetAt(static_cast<il2cpp_array_size_t>(L_286)))))^(int32_t)((L_287)->GetAt(static_cast<il2cpp_array_size_t>(L_289)))))^(int32_t)((L_290)->GetAt(static_cast<il2cpp_array_size_t>(L_291))))); UInt32U5BU5D_t2133601851* L_292 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_293 = V_2; NullCheck(L_292); IL2CPP_ARRAY_BOUNDS_CHECK(L_292, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_293>>((int32_t)24)))))); uintptr_t L_294 = (((uintptr_t)((int32_t)((uint32_t)L_293>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_295 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_296 = V_3; NullCheck(L_295); IL2CPP_ARRAY_BOUNDS_CHECK(L_295, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_296>>((int32_t)16))))))); int32_t L_297 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_296>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_298 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_299 = V_0; NullCheck(L_298); IL2CPP_ARRAY_BOUNDS_CHECK(L_298, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_299>>8)))))); int32_t L_300 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_299>>8))))); UInt32U5BU5D_t2133601851* L_301 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_302 = V_1; NullCheck(L_301); IL2CPP_ARRAY_BOUNDS_CHECK(L_301, (((int32_t)((uint8_t)L_302)))); int32_t L_303 = (((int32_t)((uint8_t)L_302))); UInt32U5BU5D_t2133601851* L_304 = ___ekey; NullCheck(L_304); IL2CPP_ARRAY_BOUNDS_CHECK(L_304, ((int32_t)22)); int32_t L_305 = ((int32_t)22); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_292)->GetAt(static_cast<il2cpp_array_size_t>(L_294)))^(int32_t)((L_295)->GetAt(static_cast<il2cpp_array_size_t>(L_297)))))^(int32_t)((L_298)->GetAt(static_cast<il2cpp_array_size_t>(L_300)))))^(int32_t)((L_301)->GetAt(static_cast<il2cpp_array_size_t>(L_303)))))^(int32_t)((L_304)->GetAt(static_cast<il2cpp_array_size_t>(L_305))))); UInt32U5BU5D_t2133601851* L_306 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_307 = V_3; NullCheck(L_306); IL2CPP_ARRAY_BOUNDS_CHECK(L_306, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_307>>((int32_t)24)))))); uintptr_t L_308 = (((uintptr_t)((int32_t)((uint32_t)L_307>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_309 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_310 = V_0; NullCheck(L_309); IL2CPP_ARRAY_BOUNDS_CHECK(L_309, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_310>>((int32_t)16))))))); int32_t L_311 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_310>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_312 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_313 = V_1; NullCheck(L_312); IL2CPP_ARRAY_BOUNDS_CHECK(L_312, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_313>>8)))))); int32_t L_314 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_313>>8))))); UInt32U5BU5D_t2133601851* L_315 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_316 = V_2; NullCheck(L_315); IL2CPP_ARRAY_BOUNDS_CHECK(L_315, (((int32_t)((uint8_t)L_316)))); int32_t L_317 = (((int32_t)((uint8_t)L_316))); UInt32U5BU5D_t2133601851* L_318 = ___ekey; NullCheck(L_318); IL2CPP_ARRAY_BOUNDS_CHECK(L_318, ((int32_t)23)); int32_t L_319 = ((int32_t)23); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_306)->GetAt(static_cast<il2cpp_array_size_t>(L_308)))^(int32_t)((L_309)->GetAt(static_cast<il2cpp_array_size_t>(L_311)))))^(int32_t)((L_312)->GetAt(static_cast<il2cpp_array_size_t>(L_314)))))^(int32_t)((L_315)->GetAt(static_cast<il2cpp_array_size_t>(L_317)))))^(int32_t)((L_318)->GetAt(static_cast<il2cpp_array_size_t>(L_319))))); UInt32U5BU5D_t2133601851* L_320 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_321 = V_4; NullCheck(L_320); IL2CPP_ARRAY_BOUNDS_CHECK(L_320, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_321>>((int32_t)24)))))); uintptr_t L_322 = (((uintptr_t)((int32_t)((uint32_t)L_321>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_323 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_324 = V_5; NullCheck(L_323); IL2CPP_ARRAY_BOUNDS_CHECK(L_323, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_324>>((int32_t)16))))))); int32_t L_325 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_324>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_326 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_327 = V_6; NullCheck(L_326); IL2CPP_ARRAY_BOUNDS_CHECK(L_326, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_327>>8)))))); int32_t L_328 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_327>>8))))); UInt32U5BU5D_t2133601851* L_329 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_330 = V_7; NullCheck(L_329); IL2CPP_ARRAY_BOUNDS_CHECK(L_329, (((int32_t)((uint8_t)L_330)))); int32_t L_331 = (((int32_t)((uint8_t)L_330))); UInt32U5BU5D_t2133601851* L_332 = ___ekey; NullCheck(L_332); IL2CPP_ARRAY_BOUNDS_CHECK(L_332, ((int32_t)24)); int32_t L_333 = ((int32_t)24); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_320)->GetAt(static_cast<il2cpp_array_size_t>(L_322)))^(int32_t)((L_323)->GetAt(static_cast<il2cpp_array_size_t>(L_325)))))^(int32_t)((L_326)->GetAt(static_cast<il2cpp_array_size_t>(L_328)))))^(int32_t)((L_329)->GetAt(static_cast<il2cpp_array_size_t>(L_331)))))^(int32_t)((L_332)->GetAt(static_cast<il2cpp_array_size_t>(L_333))))); UInt32U5BU5D_t2133601851* L_334 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_335 = V_5; NullCheck(L_334); IL2CPP_ARRAY_BOUNDS_CHECK(L_334, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_335>>((int32_t)24)))))); uintptr_t L_336 = (((uintptr_t)((int32_t)((uint32_t)L_335>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_337 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_338 = V_6; NullCheck(L_337); IL2CPP_ARRAY_BOUNDS_CHECK(L_337, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_338>>((int32_t)16))))))); int32_t L_339 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_338>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_340 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_341 = V_7; NullCheck(L_340); IL2CPP_ARRAY_BOUNDS_CHECK(L_340, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_341>>8)))))); int32_t L_342 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_341>>8))))); UInt32U5BU5D_t2133601851* L_343 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_344 = V_4; NullCheck(L_343); IL2CPP_ARRAY_BOUNDS_CHECK(L_343, (((int32_t)((uint8_t)L_344)))); int32_t L_345 = (((int32_t)((uint8_t)L_344))); UInt32U5BU5D_t2133601851* L_346 = ___ekey; NullCheck(L_346); IL2CPP_ARRAY_BOUNDS_CHECK(L_346, ((int32_t)25)); int32_t L_347 = ((int32_t)25); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_334)->GetAt(static_cast<il2cpp_array_size_t>(L_336)))^(int32_t)((L_337)->GetAt(static_cast<il2cpp_array_size_t>(L_339)))))^(int32_t)((L_340)->GetAt(static_cast<il2cpp_array_size_t>(L_342)))))^(int32_t)((L_343)->GetAt(static_cast<il2cpp_array_size_t>(L_345)))))^(int32_t)((L_346)->GetAt(static_cast<il2cpp_array_size_t>(L_347))))); UInt32U5BU5D_t2133601851* L_348 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_349 = V_6; NullCheck(L_348); IL2CPP_ARRAY_BOUNDS_CHECK(L_348, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_349>>((int32_t)24)))))); uintptr_t L_350 = (((uintptr_t)((int32_t)((uint32_t)L_349>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_351 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_352 = V_7; NullCheck(L_351); IL2CPP_ARRAY_BOUNDS_CHECK(L_351, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_352>>((int32_t)16))))))); int32_t L_353 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_352>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_354 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_355 = V_4; NullCheck(L_354); IL2CPP_ARRAY_BOUNDS_CHECK(L_354, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_355>>8)))))); int32_t L_356 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_355>>8))))); UInt32U5BU5D_t2133601851* L_357 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_358 = V_5; NullCheck(L_357); IL2CPP_ARRAY_BOUNDS_CHECK(L_357, (((int32_t)((uint8_t)L_358)))); int32_t L_359 = (((int32_t)((uint8_t)L_358))); UInt32U5BU5D_t2133601851* L_360 = ___ekey; NullCheck(L_360); IL2CPP_ARRAY_BOUNDS_CHECK(L_360, ((int32_t)26)); int32_t L_361 = ((int32_t)26); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_348)->GetAt(static_cast<il2cpp_array_size_t>(L_350)))^(int32_t)((L_351)->GetAt(static_cast<il2cpp_array_size_t>(L_353)))))^(int32_t)((L_354)->GetAt(static_cast<il2cpp_array_size_t>(L_356)))))^(int32_t)((L_357)->GetAt(static_cast<il2cpp_array_size_t>(L_359)))))^(int32_t)((L_360)->GetAt(static_cast<il2cpp_array_size_t>(L_361))))); UInt32U5BU5D_t2133601851* L_362 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_363 = V_7; NullCheck(L_362); IL2CPP_ARRAY_BOUNDS_CHECK(L_362, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_363>>((int32_t)24)))))); uintptr_t L_364 = (((uintptr_t)((int32_t)((uint32_t)L_363>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_365 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_366 = V_4; NullCheck(L_365); IL2CPP_ARRAY_BOUNDS_CHECK(L_365, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_366>>((int32_t)16))))))); int32_t L_367 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_366>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_368 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_369 = V_5; NullCheck(L_368); IL2CPP_ARRAY_BOUNDS_CHECK(L_368, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_369>>8)))))); int32_t L_370 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_369>>8))))); UInt32U5BU5D_t2133601851* L_371 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_372 = V_6; NullCheck(L_371); IL2CPP_ARRAY_BOUNDS_CHECK(L_371, (((int32_t)((uint8_t)L_372)))); int32_t L_373 = (((int32_t)((uint8_t)L_372))); UInt32U5BU5D_t2133601851* L_374 = ___ekey; NullCheck(L_374); IL2CPP_ARRAY_BOUNDS_CHECK(L_374, ((int32_t)27)); int32_t L_375 = ((int32_t)27); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_362)->GetAt(static_cast<il2cpp_array_size_t>(L_364)))^(int32_t)((L_365)->GetAt(static_cast<il2cpp_array_size_t>(L_367)))))^(int32_t)((L_368)->GetAt(static_cast<il2cpp_array_size_t>(L_370)))))^(int32_t)((L_371)->GetAt(static_cast<il2cpp_array_size_t>(L_373)))))^(int32_t)((L_374)->GetAt(static_cast<il2cpp_array_size_t>(L_375))))); UInt32U5BU5D_t2133601851* L_376 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_377 = V_0; NullCheck(L_376); IL2CPP_ARRAY_BOUNDS_CHECK(L_376, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_377>>((int32_t)24)))))); uintptr_t L_378 = (((uintptr_t)((int32_t)((uint32_t)L_377>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_379 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_380 = V_1; NullCheck(L_379); IL2CPP_ARRAY_BOUNDS_CHECK(L_379, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_380>>((int32_t)16))))))); int32_t L_381 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_380>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_382 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_383 = V_2; NullCheck(L_382); IL2CPP_ARRAY_BOUNDS_CHECK(L_382, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_383>>8)))))); int32_t L_384 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_383>>8))))); UInt32U5BU5D_t2133601851* L_385 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_386 = V_3; NullCheck(L_385); IL2CPP_ARRAY_BOUNDS_CHECK(L_385, (((int32_t)((uint8_t)L_386)))); int32_t L_387 = (((int32_t)((uint8_t)L_386))); UInt32U5BU5D_t2133601851* L_388 = ___ekey; NullCheck(L_388); IL2CPP_ARRAY_BOUNDS_CHECK(L_388, ((int32_t)28)); int32_t L_389 = ((int32_t)28); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_376)->GetAt(static_cast<il2cpp_array_size_t>(L_378)))^(int32_t)((L_379)->GetAt(static_cast<il2cpp_array_size_t>(L_381)))))^(int32_t)((L_382)->GetAt(static_cast<il2cpp_array_size_t>(L_384)))))^(int32_t)((L_385)->GetAt(static_cast<il2cpp_array_size_t>(L_387)))))^(int32_t)((L_388)->GetAt(static_cast<il2cpp_array_size_t>(L_389))))); UInt32U5BU5D_t2133601851* L_390 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_391 = V_1; NullCheck(L_390); IL2CPP_ARRAY_BOUNDS_CHECK(L_390, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_391>>((int32_t)24)))))); uintptr_t L_392 = (((uintptr_t)((int32_t)((uint32_t)L_391>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_393 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_394 = V_2; NullCheck(L_393); IL2CPP_ARRAY_BOUNDS_CHECK(L_393, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_394>>((int32_t)16))))))); int32_t L_395 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_394>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_396 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_397 = V_3; NullCheck(L_396); IL2CPP_ARRAY_BOUNDS_CHECK(L_396, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_397>>8)))))); int32_t L_398 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_397>>8))))); UInt32U5BU5D_t2133601851* L_399 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_400 = V_0; NullCheck(L_399); IL2CPP_ARRAY_BOUNDS_CHECK(L_399, (((int32_t)((uint8_t)L_400)))); int32_t L_401 = (((int32_t)((uint8_t)L_400))); UInt32U5BU5D_t2133601851* L_402 = ___ekey; NullCheck(L_402); IL2CPP_ARRAY_BOUNDS_CHECK(L_402, ((int32_t)29)); int32_t L_403 = ((int32_t)29); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_390)->GetAt(static_cast<il2cpp_array_size_t>(L_392)))^(int32_t)((L_393)->GetAt(static_cast<il2cpp_array_size_t>(L_395)))))^(int32_t)((L_396)->GetAt(static_cast<il2cpp_array_size_t>(L_398)))))^(int32_t)((L_399)->GetAt(static_cast<il2cpp_array_size_t>(L_401)))))^(int32_t)((L_402)->GetAt(static_cast<il2cpp_array_size_t>(L_403))))); UInt32U5BU5D_t2133601851* L_404 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_405 = V_2; NullCheck(L_404); IL2CPP_ARRAY_BOUNDS_CHECK(L_404, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_405>>((int32_t)24)))))); uintptr_t L_406 = (((uintptr_t)((int32_t)((uint32_t)L_405>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_407 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_408 = V_3; NullCheck(L_407); IL2CPP_ARRAY_BOUNDS_CHECK(L_407, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_408>>((int32_t)16))))))); int32_t L_409 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_408>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_410 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_411 = V_0; NullCheck(L_410); IL2CPP_ARRAY_BOUNDS_CHECK(L_410, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_411>>8)))))); int32_t L_412 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_411>>8))))); UInt32U5BU5D_t2133601851* L_413 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_414 = V_1; NullCheck(L_413); IL2CPP_ARRAY_BOUNDS_CHECK(L_413, (((int32_t)((uint8_t)L_414)))); int32_t L_415 = (((int32_t)((uint8_t)L_414))); UInt32U5BU5D_t2133601851* L_416 = ___ekey; NullCheck(L_416); IL2CPP_ARRAY_BOUNDS_CHECK(L_416, ((int32_t)30)); int32_t L_417 = ((int32_t)30); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_404)->GetAt(static_cast<il2cpp_array_size_t>(L_406)))^(int32_t)((L_407)->GetAt(static_cast<il2cpp_array_size_t>(L_409)))))^(int32_t)((L_410)->GetAt(static_cast<il2cpp_array_size_t>(L_412)))))^(int32_t)((L_413)->GetAt(static_cast<il2cpp_array_size_t>(L_415)))))^(int32_t)((L_416)->GetAt(static_cast<il2cpp_array_size_t>(L_417))))); UInt32U5BU5D_t2133601851* L_418 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_419 = V_3; NullCheck(L_418); IL2CPP_ARRAY_BOUNDS_CHECK(L_418, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_419>>((int32_t)24)))))); uintptr_t L_420 = (((uintptr_t)((int32_t)((uint32_t)L_419>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_421 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_422 = V_0; NullCheck(L_421); IL2CPP_ARRAY_BOUNDS_CHECK(L_421, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_422>>((int32_t)16))))))); int32_t L_423 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_422>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_424 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_425 = V_1; NullCheck(L_424); IL2CPP_ARRAY_BOUNDS_CHECK(L_424, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_425>>8)))))); int32_t L_426 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_425>>8))))); UInt32U5BU5D_t2133601851* L_427 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_428 = V_2; NullCheck(L_427); IL2CPP_ARRAY_BOUNDS_CHECK(L_427, (((int32_t)((uint8_t)L_428)))); int32_t L_429 = (((int32_t)((uint8_t)L_428))); UInt32U5BU5D_t2133601851* L_430 = ___ekey; NullCheck(L_430); IL2CPP_ARRAY_BOUNDS_CHECK(L_430, ((int32_t)31)); int32_t L_431 = ((int32_t)31); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_418)->GetAt(static_cast<il2cpp_array_size_t>(L_420)))^(int32_t)((L_421)->GetAt(static_cast<il2cpp_array_size_t>(L_423)))))^(int32_t)((L_424)->GetAt(static_cast<il2cpp_array_size_t>(L_426)))))^(int32_t)((L_427)->GetAt(static_cast<il2cpp_array_size_t>(L_429)))))^(int32_t)((L_430)->GetAt(static_cast<il2cpp_array_size_t>(L_431))))); UInt32U5BU5D_t2133601851* L_432 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_433 = V_4; NullCheck(L_432); IL2CPP_ARRAY_BOUNDS_CHECK(L_432, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_433>>((int32_t)24)))))); uintptr_t L_434 = (((uintptr_t)((int32_t)((uint32_t)L_433>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_435 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_436 = V_5; NullCheck(L_435); IL2CPP_ARRAY_BOUNDS_CHECK(L_435, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_436>>((int32_t)16))))))); int32_t L_437 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_436>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_438 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_439 = V_6; NullCheck(L_438); IL2CPP_ARRAY_BOUNDS_CHECK(L_438, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_439>>8)))))); int32_t L_440 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_439>>8))))); UInt32U5BU5D_t2133601851* L_441 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_442 = V_7; NullCheck(L_441); IL2CPP_ARRAY_BOUNDS_CHECK(L_441, (((int32_t)((uint8_t)L_442)))); int32_t L_443 = (((int32_t)((uint8_t)L_442))); UInt32U5BU5D_t2133601851* L_444 = ___ekey; NullCheck(L_444); IL2CPP_ARRAY_BOUNDS_CHECK(L_444, ((int32_t)32)); int32_t L_445 = ((int32_t)32); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_432)->GetAt(static_cast<il2cpp_array_size_t>(L_434)))^(int32_t)((L_435)->GetAt(static_cast<il2cpp_array_size_t>(L_437)))))^(int32_t)((L_438)->GetAt(static_cast<il2cpp_array_size_t>(L_440)))))^(int32_t)((L_441)->GetAt(static_cast<il2cpp_array_size_t>(L_443)))))^(int32_t)((L_444)->GetAt(static_cast<il2cpp_array_size_t>(L_445))))); UInt32U5BU5D_t2133601851* L_446 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_447 = V_5; NullCheck(L_446); IL2CPP_ARRAY_BOUNDS_CHECK(L_446, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_447>>((int32_t)24)))))); uintptr_t L_448 = (((uintptr_t)((int32_t)((uint32_t)L_447>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_449 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_450 = V_6; NullCheck(L_449); IL2CPP_ARRAY_BOUNDS_CHECK(L_449, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_450>>((int32_t)16))))))); int32_t L_451 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_450>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_452 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_453 = V_7; NullCheck(L_452); IL2CPP_ARRAY_BOUNDS_CHECK(L_452, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_453>>8)))))); int32_t L_454 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_453>>8))))); UInt32U5BU5D_t2133601851* L_455 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_456 = V_4; NullCheck(L_455); IL2CPP_ARRAY_BOUNDS_CHECK(L_455, (((int32_t)((uint8_t)L_456)))); int32_t L_457 = (((int32_t)((uint8_t)L_456))); UInt32U5BU5D_t2133601851* L_458 = ___ekey; NullCheck(L_458); IL2CPP_ARRAY_BOUNDS_CHECK(L_458, ((int32_t)33)); int32_t L_459 = ((int32_t)33); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_446)->GetAt(static_cast<il2cpp_array_size_t>(L_448)))^(int32_t)((L_449)->GetAt(static_cast<il2cpp_array_size_t>(L_451)))))^(int32_t)((L_452)->GetAt(static_cast<il2cpp_array_size_t>(L_454)))))^(int32_t)((L_455)->GetAt(static_cast<il2cpp_array_size_t>(L_457)))))^(int32_t)((L_458)->GetAt(static_cast<il2cpp_array_size_t>(L_459))))); UInt32U5BU5D_t2133601851* L_460 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_461 = V_6; NullCheck(L_460); IL2CPP_ARRAY_BOUNDS_CHECK(L_460, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_461>>((int32_t)24)))))); uintptr_t L_462 = (((uintptr_t)((int32_t)((uint32_t)L_461>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_463 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_464 = V_7; NullCheck(L_463); IL2CPP_ARRAY_BOUNDS_CHECK(L_463, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_464>>((int32_t)16))))))); int32_t L_465 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_464>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_466 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_467 = V_4; NullCheck(L_466); IL2CPP_ARRAY_BOUNDS_CHECK(L_466, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_467>>8)))))); int32_t L_468 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_467>>8))))); UInt32U5BU5D_t2133601851* L_469 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_470 = V_5; NullCheck(L_469); IL2CPP_ARRAY_BOUNDS_CHECK(L_469, (((int32_t)((uint8_t)L_470)))); int32_t L_471 = (((int32_t)((uint8_t)L_470))); UInt32U5BU5D_t2133601851* L_472 = ___ekey; NullCheck(L_472); IL2CPP_ARRAY_BOUNDS_CHECK(L_472, ((int32_t)34)); int32_t L_473 = ((int32_t)34); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_460)->GetAt(static_cast<il2cpp_array_size_t>(L_462)))^(int32_t)((L_463)->GetAt(static_cast<il2cpp_array_size_t>(L_465)))))^(int32_t)((L_466)->GetAt(static_cast<il2cpp_array_size_t>(L_468)))))^(int32_t)((L_469)->GetAt(static_cast<il2cpp_array_size_t>(L_471)))))^(int32_t)((L_472)->GetAt(static_cast<il2cpp_array_size_t>(L_473))))); UInt32U5BU5D_t2133601851* L_474 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_475 = V_7; NullCheck(L_474); IL2CPP_ARRAY_BOUNDS_CHECK(L_474, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_475>>((int32_t)24)))))); uintptr_t L_476 = (((uintptr_t)((int32_t)((uint32_t)L_475>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_477 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_478 = V_4; NullCheck(L_477); IL2CPP_ARRAY_BOUNDS_CHECK(L_477, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_478>>((int32_t)16))))))); int32_t L_479 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_478>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_480 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_481 = V_5; NullCheck(L_480); IL2CPP_ARRAY_BOUNDS_CHECK(L_480, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_481>>8)))))); int32_t L_482 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_481>>8))))); UInt32U5BU5D_t2133601851* L_483 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_484 = V_6; NullCheck(L_483); IL2CPP_ARRAY_BOUNDS_CHECK(L_483, (((int32_t)((uint8_t)L_484)))); int32_t L_485 = (((int32_t)((uint8_t)L_484))); UInt32U5BU5D_t2133601851* L_486 = ___ekey; NullCheck(L_486); IL2CPP_ARRAY_BOUNDS_CHECK(L_486, ((int32_t)35)); int32_t L_487 = ((int32_t)35); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_474)->GetAt(static_cast<il2cpp_array_size_t>(L_476)))^(int32_t)((L_477)->GetAt(static_cast<il2cpp_array_size_t>(L_479)))))^(int32_t)((L_480)->GetAt(static_cast<il2cpp_array_size_t>(L_482)))))^(int32_t)((L_483)->GetAt(static_cast<il2cpp_array_size_t>(L_485)))))^(int32_t)((L_486)->GetAt(static_cast<il2cpp_array_size_t>(L_487))))); UInt32U5BU5D_t2133601851* L_488 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_489 = V_0; NullCheck(L_488); IL2CPP_ARRAY_BOUNDS_CHECK(L_488, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_489>>((int32_t)24)))))); uintptr_t L_490 = (((uintptr_t)((int32_t)((uint32_t)L_489>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_491 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_492 = V_1; NullCheck(L_491); IL2CPP_ARRAY_BOUNDS_CHECK(L_491, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_492>>((int32_t)16))))))); int32_t L_493 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_492>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_494 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_495 = V_2; NullCheck(L_494); IL2CPP_ARRAY_BOUNDS_CHECK(L_494, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_495>>8)))))); int32_t L_496 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_495>>8))))); UInt32U5BU5D_t2133601851* L_497 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_498 = V_3; NullCheck(L_497); IL2CPP_ARRAY_BOUNDS_CHECK(L_497, (((int32_t)((uint8_t)L_498)))); int32_t L_499 = (((int32_t)((uint8_t)L_498))); UInt32U5BU5D_t2133601851* L_500 = ___ekey; NullCheck(L_500); IL2CPP_ARRAY_BOUNDS_CHECK(L_500, ((int32_t)36)); int32_t L_501 = ((int32_t)36); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_488)->GetAt(static_cast<il2cpp_array_size_t>(L_490)))^(int32_t)((L_491)->GetAt(static_cast<il2cpp_array_size_t>(L_493)))))^(int32_t)((L_494)->GetAt(static_cast<il2cpp_array_size_t>(L_496)))))^(int32_t)((L_497)->GetAt(static_cast<il2cpp_array_size_t>(L_499)))))^(int32_t)((L_500)->GetAt(static_cast<il2cpp_array_size_t>(L_501))))); UInt32U5BU5D_t2133601851* L_502 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_503 = V_1; NullCheck(L_502); IL2CPP_ARRAY_BOUNDS_CHECK(L_502, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_503>>((int32_t)24)))))); uintptr_t L_504 = (((uintptr_t)((int32_t)((uint32_t)L_503>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_505 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_506 = V_2; NullCheck(L_505); IL2CPP_ARRAY_BOUNDS_CHECK(L_505, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_506>>((int32_t)16))))))); int32_t L_507 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_506>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_508 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_509 = V_3; NullCheck(L_508); IL2CPP_ARRAY_BOUNDS_CHECK(L_508, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_509>>8)))))); int32_t L_510 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_509>>8))))); UInt32U5BU5D_t2133601851* L_511 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_512 = V_0; NullCheck(L_511); IL2CPP_ARRAY_BOUNDS_CHECK(L_511, (((int32_t)((uint8_t)L_512)))); int32_t L_513 = (((int32_t)((uint8_t)L_512))); UInt32U5BU5D_t2133601851* L_514 = ___ekey; NullCheck(L_514); IL2CPP_ARRAY_BOUNDS_CHECK(L_514, ((int32_t)37)); int32_t L_515 = ((int32_t)37); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_502)->GetAt(static_cast<il2cpp_array_size_t>(L_504)))^(int32_t)((L_505)->GetAt(static_cast<il2cpp_array_size_t>(L_507)))))^(int32_t)((L_508)->GetAt(static_cast<il2cpp_array_size_t>(L_510)))))^(int32_t)((L_511)->GetAt(static_cast<il2cpp_array_size_t>(L_513)))))^(int32_t)((L_514)->GetAt(static_cast<il2cpp_array_size_t>(L_515))))); UInt32U5BU5D_t2133601851* L_516 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_517 = V_2; NullCheck(L_516); IL2CPP_ARRAY_BOUNDS_CHECK(L_516, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_517>>((int32_t)24)))))); uintptr_t L_518 = (((uintptr_t)((int32_t)((uint32_t)L_517>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_519 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_520 = V_3; NullCheck(L_519); IL2CPP_ARRAY_BOUNDS_CHECK(L_519, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_520>>((int32_t)16))))))); int32_t L_521 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_520>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_522 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_523 = V_0; NullCheck(L_522); IL2CPP_ARRAY_BOUNDS_CHECK(L_522, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_523>>8)))))); int32_t L_524 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_523>>8))))); UInt32U5BU5D_t2133601851* L_525 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_526 = V_1; NullCheck(L_525); IL2CPP_ARRAY_BOUNDS_CHECK(L_525, (((int32_t)((uint8_t)L_526)))); int32_t L_527 = (((int32_t)((uint8_t)L_526))); UInt32U5BU5D_t2133601851* L_528 = ___ekey; NullCheck(L_528); IL2CPP_ARRAY_BOUNDS_CHECK(L_528, ((int32_t)38)); int32_t L_529 = ((int32_t)38); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_516)->GetAt(static_cast<il2cpp_array_size_t>(L_518)))^(int32_t)((L_519)->GetAt(static_cast<il2cpp_array_size_t>(L_521)))))^(int32_t)((L_522)->GetAt(static_cast<il2cpp_array_size_t>(L_524)))))^(int32_t)((L_525)->GetAt(static_cast<il2cpp_array_size_t>(L_527)))))^(int32_t)((L_528)->GetAt(static_cast<il2cpp_array_size_t>(L_529))))); UInt32U5BU5D_t2133601851* L_530 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_531 = V_3; NullCheck(L_530); IL2CPP_ARRAY_BOUNDS_CHECK(L_530, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_531>>((int32_t)24)))))); uintptr_t L_532 = (((uintptr_t)((int32_t)((uint32_t)L_531>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_533 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_534 = V_0; NullCheck(L_533); IL2CPP_ARRAY_BOUNDS_CHECK(L_533, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_534>>((int32_t)16))))))); int32_t L_535 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_534>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_536 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_537 = V_1; NullCheck(L_536); IL2CPP_ARRAY_BOUNDS_CHECK(L_536, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_537>>8)))))); int32_t L_538 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_537>>8))))); UInt32U5BU5D_t2133601851* L_539 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_540 = V_2; NullCheck(L_539); IL2CPP_ARRAY_BOUNDS_CHECK(L_539, (((int32_t)((uint8_t)L_540)))); int32_t L_541 = (((int32_t)((uint8_t)L_540))); UInt32U5BU5D_t2133601851* L_542 = ___ekey; NullCheck(L_542); IL2CPP_ARRAY_BOUNDS_CHECK(L_542, ((int32_t)39)); int32_t L_543 = ((int32_t)39); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_530)->GetAt(static_cast<il2cpp_array_size_t>(L_532)))^(int32_t)((L_533)->GetAt(static_cast<il2cpp_array_size_t>(L_535)))))^(int32_t)((L_536)->GetAt(static_cast<il2cpp_array_size_t>(L_538)))))^(int32_t)((L_539)->GetAt(static_cast<il2cpp_array_size_t>(L_541)))))^(int32_t)((L_542)->GetAt(static_cast<il2cpp_array_size_t>(L_543))))); int32_t L_544 = __this->get_Nr_15(); if ((((int32_t)L_544) <= ((int32_t)((int32_t)10)))) { goto IL_0b08; } } { IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_545 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_546 = V_4; NullCheck(L_545); IL2CPP_ARRAY_BOUNDS_CHECK(L_545, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_546>>((int32_t)24)))))); uintptr_t L_547 = (((uintptr_t)((int32_t)((uint32_t)L_546>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_548 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_549 = V_5; NullCheck(L_548); IL2CPP_ARRAY_BOUNDS_CHECK(L_548, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_549>>((int32_t)16))))))); int32_t L_550 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_549>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_551 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_552 = V_6; NullCheck(L_551); IL2CPP_ARRAY_BOUNDS_CHECK(L_551, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_552>>8)))))); int32_t L_553 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_552>>8))))); UInt32U5BU5D_t2133601851* L_554 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_555 = V_7; NullCheck(L_554); IL2CPP_ARRAY_BOUNDS_CHECK(L_554, (((int32_t)((uint8_t)L_555)))); int32_t L_556 = (((int32_t)((uint8_t)L_555))); UInt32U5BU5D_t2133601851* L_557 = ___ekey; NullCheck(L_557); IL2CPP_ARRAY_BOUNDS_CHECK(L_557, ((int32_t)40)); int32_t L_558 = ((int32_t)40); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_545)->GetAt(static_cast<il2cpp_array_size_t>(L_547)))^(int32_t)((L_548)->GetAt(static_cast<il2cpp_array_size_t>(L_550)))))^(int32_t)((L_551)->GetAt(static_cast<il2cpp_array_size_t>(L_553)))))^(int32_t)((L_554)->GetAt(static_cast<il2cpp_array_size_t>(L_556)))))^(int32_t)((L_557)->GetAt(static_cast<il2cpp_array_size_t>(L_558))))); UInt32U5BU5D_t2133601851* L_559 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_560 = V_5; NullCheck(L_559); IL2CPP_ARRAY_BOUNDS_CHECK(L_559, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_560>>((int32_t)24)))))); uintptr_t L_561 = (((uintptr_t)((int32_t)((uint32_t)L_560>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_562 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_563 = V_6; NullCheck(L_562); IL2CPP_ARRAY_BOUNDS_CHECK(L_562, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_563>>((int32_t)16))))))); int32_t L_564 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_563>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_565 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_566 = V_7; NullCheck(L_565); IL2CPP_ARRAY_BOUNDS_CHECK(L_565, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_566>>8)))))); int32_t L_567 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_566>>8))))); UInt32U5BU5D_t2133601851* L_568 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_569 = V_4; NullCheck(L_568); IL2CPP_ARRAY_BOUNDS_CHECK(L_568, (((int32_t)((uint8_t)L_569)))); int32_t L_570 = (((int32_t)((uint8_t)L_569))); UInt32U5BU5D_t2133601851* L_571 = ___ekey; NullCheck(L_571); IL2CPP_ARRAY_BOUNDS_CHECK(L_571, ((int32_t)41)); int32_t L_572 = ((int32_t)41); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_559)->GetAt(static_cast<il2cpp_array_size_t>(L_561)))^(int32_t)((L_562)->GetAt(static_cast<il2cpp_array_size_t>(L_564)))))^(int32_t)((L_565)->GetAt(static_cast<il2cpp_array_size_t>(L_567)))))^(int32_t)((L_568)->GetAt(static_cast<il2cpp_array_size_t>(L_570)))))^(int32_t)((L_571)->GetAt(static_cast<il2cpp_array_size_t>(L_572))))); UInt32U5BU5D_t2133601851* L_573 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_574 = V_6; NullCheck(L_573); IL2CPP_ARRAY_BOUNDS_CHECK(L_573, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_574>>((int32_t)24)))))); uintptr_t L_575 = (((uintptr_t)((int32_t)((uint32_t)L_574>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_576 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_577 = V_7; NullCheck(L_576); IL2CPP_ARRAY_BOUNDS_CHECK(L_576, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_577>>((int32_t)16))))))); int32_t L_578 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_577>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_579 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_580 = V_4; NullCheck(L_579); IL2CPP_ARRAY_BOUNDS_CHECK(L_579, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_580>>8)))))); int32_t L_581 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_580>>8))))); UInt32U5BU5D_t2133601851* L_582 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_583 = V_5; NullCheck(L_582); IL2CPP_ARRAY_BOUNDS_CHECK(L_582, (((int32_t)((uint8_t)L_583)))); int32_t L_584 = (((int32_t)((uint8_t)L_583))); UInt32U5BU5D_t2133601851* L_585 = ___ekey; NullCheck(L_585); IL2CPP_ARRAY_BOUNDS_CHECK(L_585, ((int32_t)42)); int32_t L_586 = ((int32_t)42); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_573)->GetAt(static_cast<il2cpp_array_size_t>(L_575)))^(int32_t)((L_576)->GetAt(static_cast<il2cpp_array_size_t>(L_578)))))^(int32_t)((L_579)->GetAt(static_cast<il2cpp_array_size_t>(L_581)))))^(int32_t)((L_582)->GetAt(static_cast<il2cpp_array_size_t>(L_584)))))^(int32_t)((L_585)->GetAt(static_cast<il2cpp_array_size_t>(L_586))))); UInt32U5BU5D_t2133601851* L_587 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_588 = V_7; NullCheck(L_587); IL2CPP_ARRAY_BOUNDS_CHECK(L_587, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_588>>((int32_t)24)))))); uintptr_t L_589 = (((uintptr_t)((int32_t)((uint32_t)L_588>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_590 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_591 = V_4; NullCheck(L_590); IL2CPP_ARRAY_BOUNDS_CHECK(L_590, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_591>>((int32_t)16))))))); int32_t L_592 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_591>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_593 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_594 = V_5; NullCheck(L_593); IL2CPP_ARRAY_BOUNDS_CHECK(L_593, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_594>>8)))))); int32_t L_595 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_594>>8))))); UInt32U5BU5D_t2133601851* L_596 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_597 = V_6; NullCheck(L_596); IL2CPP_ARRAY_BOUNDS_CHECK(L_596, (((int32_t)((uint8_t)L_597)))); int32_t L_598 = (((int32_t)((uint8_t)L_597))); UInt32U5BU5D_t2133601851* L_599 = ___ekey; NullCheck(L_599); IL2CPP_ARRAY_BOUNDS_CHECK(L_599, ((int32_t)43)); int32_t L_600 = ((int32_t)43); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_587)->GetAt(static_cast<il2cpp_array_size_t>(L_589)))^(int32_t)((L_590)->GetAt(static_cast<il2cpp_array_size_t>(L_592)))))^(int32_t)((L_593)->GetAt(static_cast<il2cpp_array_size_t>(L_595)))))^(int32_t)((L_596)->GetAt(static_cast<il2cpp_array_size_t>(L_598)))))^(int32_t)((L_599)->GetAt(static_cast<il2cpp_array_size_t>(L_600))))); UInt32U5BU5D_t2133601851* L_601 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_602 = V_0; NullCheck(L_601); IL2CPP_ARRAY_BOUNDS_CHECK(L_601, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_602>>((int32_t)24)))))); uintptr_t L_603 = (((uintptr_t)((int32_t)((uint32_t)L_602>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_604 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_605 = V_1; NullCheck(L_604); IL2CPP_ARRAY_BOUNDS_CHECK(L_604, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_605>>((int32_t)16))))))); int32_t L_606 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_605>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_607 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_608 = V_2; NullCheck(L_607); IL2CPP_ARRAY_BOUNDS_CHECK(L_607, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_608>>8)))))); int32_t L_609 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_608>>8))))); UInt32U5BU5D_t2133601851* L_610 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_611 = V_3; NullCheck(L_610); IL2CPP_ARRAY_BOUNDS_CHECK(L_610, (((int32_t)((uint8_t)L_611)))); int32_t L_612 = (((int32_t)((uint8_t)L_611))); UInt32U5BU5D_t2133601851* L_613 = ___ekey; NullCheck(L_613); IL2CPP_ARRAY_BOUNDS_CHECK(L_613, ((int32_t)44)); int32_t L_614 = ((int32_t)44); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_601)->GetAt(static_cast<il2cpp_array_size_t>(L_603)))^(int32_t)((L_604)->GetAt(static_cast<il2cpp_array_size_t>(L_606)))))^(int32_t)((L_607)->GetAt(static_cast<il2cpp_array_size_t>(L_609)))))^(int32_t)((L_610)->GetAt(static_cast<il2cpp_array_size_t>(L_612)))))^(int32_t)((L_613)->GetAt(static_cast<il2cpp_array_size_t>(L_614))))); UInt32U5BU5D_t2133601851* L_615 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_616 = V_1; NullCheck(L_615); IL2CPP_ARRAY_BOUNDS_CHECK(L_615, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_616>>((int32_t)24)))))); uintptr_t L_617 = (((uintptr_t)((int32_t)((uint32_t)L_616>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_618 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_619 = V_2; NullCheck(L_618); IL2CPP_ARRAY_BOUNDS_CHECK(L_618, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_619>>((int32_t)16))))))); int32_t L_620 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_619>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_621 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_622 = V_3; NullCheck(L_621); IL2CPP_ARRAY_BOUNDS_CHECK(L_621, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_622>>8)))))); int32_t L_623 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_622>>8))))); UInt32U5BU5D_t2133601851* L_624 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_625 = V_0; NullCheck(L_624); IL2CPP_ARRAY_BOUNDS_CHECK(L_624, (((int32_t)((uint8_t)L_625)))); int32_t L_626 = (((int32_t)((uint8_t)L_625))); UInt32U5BU5D_t2133601851* L_627 = ___ekey; NullCheck(L_627); IL2CPP_ARRAY_BOUNDS_CHECK(L_627, ((int32_t)45)); int32_t L_628 = ((int32_t)45); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_615)->GetAt(static_cast<il2cpp_array_size_t>(L_617)))^(int32_t)((L_618)->GetAt(static_cast<il2cpp_array_size_t>(L_620)))))^(int32_t)((L_621)->GetAt(static_cast<il2cpp_array_size_t>(L_623)))))^(int32_t)((L_624)->GetAt(static_cast<il2cpp_array_size_t>(L_626)))))^(int32_t)((L_627)->GetAt(static_cast<il2cpp_array_size_t>(L_628))))); UInt32U5BU5D_t2133601851* L_629 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_630 = V_2; NullCheck(L_629); IL2CPP_ARRAY_BOUNDS_CHECK(L_629, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_630>>((int32_t)24)))))); uintptr_t L_631 = (((uintptr_t)((int32_t)((uint32_t)L_630>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_632 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_633 = V_3; NullCheck(L_632); IL2CPP_ARRAY_BOUNDS_CHECK(L_632, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_633>>((int32_t)16))))))); int32_t L_634 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_633>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_635 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_636 = V_0; NullCheck(L_635); IL2CPP_ARRAY_BOUNDS_CHECK(L_635, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_636>>8)))))); int32_t L_637 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_636>>8))))); UInt32U5BU5D_t2133601851* L_638 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_639 = V_1; NullCheck(L_638); IL2CPP_ARRAY_BOUNDS_CHECK(L_638, (((int32_t)((uint8_t)L_639)))); int32_t L_640 = (((int32_t)((uint8_t)L_639))); UInt32U5BU5D_t2133601851* L_641 = ___ekey; NullCheck(L_641); IL2CPP_ARRAY_BOUNDS_CHECK(L_641, ((int32_t)46)); int32_t L_642 = ((int32_t)46); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_629)->GetAt(static_cast<il2cpp_array_size_t>(L_631)))^(int32_t)((L_632)->GetAt(static_cast<il2cpp_array_size_t>(L_634)))))^(int32_t)((L_635)->GetAt(static_cast<il2cpp_array_size_t>(L_637)))))^(int32_t)((L_638)->GetAt(static_cast<il2cpp_array_size_t>(L_640)))))^(int32_t)((L_641)->GetAt(static_cast<il2cpp_array_size_t>(L_642))))); UInt32U5BU5D_t2133601851* L_643 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_644 = V_3; NullCheck(L_643); IL2CPP_ARRAY_BOUNDS_CHECK(L_643, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_644>>((int32_t)24)))))); uintptr_t L_645 = (((uintptr_t)((int32_t)((uint32_t)L_644>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_646 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_647 = V_0; NullCheck(L_646); IL2CPP_ARRAY_BOUNDS_CHECK(L_646, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_647>>((int32_t)16))))))); int32_t L_648 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_647>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_649 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_650 = V_1; NullCheck(L_649); IL2CPP_ARRAY_BOUNDS_CHECK(L_649, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_650>>8)))))); int32_t L_651 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_650>>8))))); UInt32U5BU5D_t2133601851* L_652 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_653 = V_2; NullCheck(L_652); IL2CPP_ARRAY_BOUNDS_CHECK(L_652, (((int32_t)((uint8_t)L_653)))); int32_t L_654 = (((int32_t)((uint8_t)L_653))); UInt32U5BU5D_t2133601851* L_655 = ___ekey; NullCheck(L_655); IL2CPP_ARRAY_BOUNDS_CHECK(L_655, ((int32_t)47)); int32_t L_656 = ((int32_t)47); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_643)->GetAt(static_cast<il2cpp_array_size_t>(L_645)))^(int32_t)((L_646)->GetAt(static_cast<il2cpp_array_size_t>(L_648)))))^(int32_t)((L_649)->GetAt(static_cast<il2cpp_array_size_t>(L_651)))))^(int32_t)((L_652)->GetAt(static_cast<il2cpp_array_size_t>(L_654)))))^(int32_t)((L_655)->GetAt(static_cast<il2cpp_array_size_t>(L_656))))); V_8 = ((int32_t)48); int32_t L_657 = __this->get_Nr_15(); if ((((int32_t)L_657) <= ((int32_t)((int32_t)12)))) { goto IL_0b08; } } { IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_658 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_659 = V_4; NullCheck(L_658); IL2CPP_ARRAY_BOUNDS_CHECK(L_658, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_659>>((int32_t)24)))))); uintptr_t L_660 = (((uintptr_t)((int32_t)((uint32_t)L_659>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_661 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_662 = V_5; NullCheck(L_661); IL2CPP_ARRAY_BOUNDS_CHECK(L_661, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_662>>((int32_t)16))))))); int32_t L_663 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_662>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_664 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_665 = V_6; NullCheck(L_664); IL2CPP_ARRAY_BOUNDS_CHECK(L_664, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_665>>8)))))); int32_t L_666 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_665>>8))))); UInt32U5BU5D_t2133601851* L_667 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_668 = V_7; NullCheck(L_667); IL2CPP_ARRAY_BOUNDS_CHECK(L_667, (((int32_t)((uint8_t)L_668)))); int32_t L_669 = (((int32_t)((uint8_t)L_668))); UInt32U5BU5D_t2133601851* L_670 = ___ekey; NullCheck(L_670); IL2CPP_ARRAY_BOUNDS_CHECK(L_670, ((int32_t)48)); int32_t L_671 = ((int32_t)48); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_658)->GetAt(static_cast<il2cpp_array_size_t>(L_660)))^(int32_t)((L_661)->GetAt(static_cast<il2cpp_array_size_t>(L_663)))))^(int32_t)((L_664)->GetAt(static_cast<il2cpp_array_size_t>(L_666)))))^(int32_t)((L_667)->GetAt(static_cast<il2cpp_array_size_t>(L_669)))))^(int32_t)((L_670)->GetAt(static_cast<il2cpp_array_size_t>(L_671))))); UInt32U5BU5D_t2133601851* L_672 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_673 = V_5; NullCheck(L_672); IL2CPP_ARRAY_BOUNDS_CHECK(L_672, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_673>>((int32_t)24)))))); uintptr_t L_674 = (((uintptr_t)((int32_t)((uint32_t)L_673>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_675 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_676 = V_6; NullCheck(L_675); IL2CPP_ARRAY_BOUNDS_CHECK(L_675, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_676>>((int32_t)16))))))); int32_t L_677 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_676>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_678 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_679 = V_7; NullCheck(L_678); IL2CPP_ARRAY_BOUNDS_CHECK(L_678, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_679>>8)))))); int32_t L_680 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_679>>8))))); UInt32U5BU5D_t2133601851* L_681 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_682 = V_4; NullCheck(L_681); IL2CPP_ARRAY_BOUNDS_CHECK(L_681, (((int32_t)((uint8_t)L_682)))); int32_t L_683 = (((int32_t)((uint8_t)L_682))); UInt32U5BU5D_t2133601851* L_684 = ___ekey; NullCheck(L_684); IL2CPP_ARRAY_BOUNDS_CHECK(L_684, ((int32_t)49)); int32_t L_685 = ((int32_t)49); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_672)->GetAt(static_cast<il2cpp_array_size_t>(L_674)))^(int32_t)((L_675)->GetAt(static_cast<il2cpp_array_size_t>(L_677)))))^(int32_t)((L_678)->GetAt(static_cast<il2cpp_array_size_t>(L_680)))))^(int32_t)((L_681)->GetAt(static_cast<il2cpp_array_size_t>(L_683)))))^(int32_t)((L_684)->GetAt(static_cast<il2cpp_array_size_t>(L_685))))); UInt32U5BU5D_t2133601851* L_686 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_687 = V_6; NullCheck(L_686); IL2CPP_ARRAY_BOUNDS_CHECK(L_686, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_687>>((int32_t)24)))))); uintptr_t L_688 = (((uintptr_t)((int32_t)((uint32_t)L_687>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_689 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_690 = V_7; NullCheck(L_689); IL2CPP_ARRAY_BOUNDS_CHECK(L_689, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_690>>((int32_t)16))))))); int32_t L_691 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_690>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_692 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_693 = V_4; NullCheck(L_692); IL2CPP_ARRAY_BOUNDS_CHECK(L_692, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_693>>8)))))); int32_t L_694 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_693>>8))))); UInt32U5BU5D_t2133601851* L_695 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_696 = V_5; NullCheck(L_695); IL2CPP_ARRAY_BOUNDS_CHECK(L_695, (((int32_t)((uint8_t)L_696)))); int32_t L_697 = (((int32_t)((uint8_t)L_696))); UInt32U5BU5D_t2133601851* L_698 = ___ekey; NullCheck(L_698); IL2CPP_ARRAY_BOUNDS_CHECK(L_698, ((int32_t)50)); int32_t L_699 = ((int32_t)50); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_686)->GetAt(static_cast<il2cpp_array_size_t>(L_688)))^(int32_t)((L_689)->GetAt(static_cast<il2cpp_array_size_t>(L_691)))))^(int32_t)((L_692)->GetAt(static_cast<il2cpp_array_size_t>(L_694)))))^(int32_t)((L_695)->GetAt(static_cast<il2cpp_array_size_t>(L_697)))))^(int32_t)((L_698)->GetAt(static_cast<il2cpp_array_size_t>(L_699))))); UInt32U5BU5D_t2133601851* L_700 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_701 = V_7; NullCheck(L_700); IL2CPP_ARRAY_BOUNDS_CHECK(L_700, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_701>>((int32_t)24)))))); uintptr_t L_702 = (((uintptr_t)((int32_t)((uint32_t)L_701>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_703 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_704 = V_4; NullCheck(L_703); IL2CPP_ARRAY_BOUNDS_CHECK(L_703, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_704>>((int32_t)16))))))); int32_t L_705 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_704>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_706 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_707 = V_5; NullCheck(L_706); IL2CPP_ARRAY_BOUNDS_CHECK(L_706, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_707>>8)))))); int32_t L_708 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_707>>8))))); UInt32U5BU5D_t2133601851* L_709 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_710 = V_6; NullCheck(L_709); IL2CPP_ARRAY_BOUNDS_CHECK(L_709, (((int32_t)((uint8_t)L_710)))); int32_t L_711 = (((int32_t)((uint8_t)L_710))); UInt32U5BU5D_t2133601851* L_712 = ___ekey; NullCheck(L_712); IL2CPP_ARRAY_BOUNDS_CHECK(L_712, ((int32_t)51)); int32_t L_713 = ((int32_t)51); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_700)->GetAt(static_cast<il2cpp_array_size_t>(L_702)))^(int32_t)((L_703)->GetAt(static_cast<il2cpp_array_size_t>(L_705)))))^(int32_t)((L_706)->GetAt(static_cast<il2cpp_array_size_t>(L_708)))))^(int32_t)((L_709)->GetAt(static_cast<il2cpp_array_size_t>(L_711)))))^(int32_t)((L_712)->GetAt(static_cast<il2cpp_array_size_t>(L_713))))); UInt32U5BU5D_t2133601851* L_714 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_715 = V_0; NullCheck(L_714); IL2CPP_ARRAY_BOUNDS_CHECK(L_714, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_715>>((int32_t)24)))))); uintptr_t L_716 = (((uintptr_t)((int32_t)((uint32_t)L_715>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_717 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_718 = V_1; NullCheck(L_717); IL2CPP_ARRAY_BOUNDS_CHECK(L_717, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_718>>((int32_t)16))))))); int32_t L_719 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_718>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_720 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_721 = V_2; NullCheck(L_720); IL2CPP_ARRAY_BOUNDS_CHECK(L_720, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_721>>8)))))); int32_t L_722 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_721>>8))))); UInt32U5BU5D_t2133601851* L_723 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_724 = V_3; NullCheck(L_723); IL2CPP_ARRAY_BOUNDS_CHECK(L_723, (((int32_t)((uint8_t)L_724)))); int32_t L_725 = (((int32_t)((uint8_t)L_724))); UInt32U5BU5D_t2133601851* L_726 = ___ekey; NullCheck(L_726); IL2CPP_ARRAY_BOUNDS_CHECK(L_726, ((int32_t)52)); int32_t L_727 = ((int32_t)52); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_714)->GetAt(static_cast<il2cpp_array_size_t>(L_716)))^(int32_t)((L_717)->GetAt(static_cast<il2cpp_array_size_t>(L_719)))))^(int32_t)((L_720)->GetAt(static_cast<il2cpp_array_size_t>(L_722)))))^(int32_t)((L_723)->GetAt(static_cast<il2cpp_array_size_t>(L_725)))))^(int32_t)((L_726)->GetAt(static_cast<il2cpp_array_size_t>(L_727))))); UInt32U5BU5D_t2133601851* L_728 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_729 = V_1; NullCheck(L_728); IL2CPP_ARRAY_BOUNDS_CHECK(L_728, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_729>>((int32_t)24)))))); uintptr_t L_730 = (((uintptr_t)((int32_t)((uint32_t)L_729>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_731 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_732 = V_2; NullCheck(L_731); IL2CPP_ARRAY_BOUNDS_CHECK(L_731, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_732>>((int32_t)16))))))); int32_t L_733 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_732>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_734 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_735 = V_3; NullCheck(L_734); IL2CPP_ARRAY_BOUNDS_CHECK(L_734, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_735>>8)))))); int32_t L_736 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_735>>8))))); UInt32U5BU5D_t2133601851* L_737 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_738 = V_0; NullCheck(L_737); IL2CPP_ARRAY_BOUNDS_CHECK(L_737, (((int32_t)((uint8_t)L_738)))); int32_t L_739 = (((int32_t)((uint8_t)L_738))); UInt32U5BU5D_t2133601851* L_740 = ___ekey; NullCheck(L_740); IL2CPP_ARRAY_BOUNDS_CHECK(L_740, ((int32_t)53)); int32_t L_741 = ((int32_t)53); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_728)->GetAt(static_cast<il2cpp_array_size_t>(L_730)))^(int32_t)((L_731)->GetAt(static_cast<il2cpp_array_size_t>(L_733)))))^(int32_t)((L_734)->GetAt(static_cast<il2cpp_array_size_t>(L_736)))))^(int32_t)((L_737)->GetAt(static_cast<il2cpp_array_size_t>(L_739)))))^(int32_t)((L_740)->GetAt(static_cast<il2cpp_array_size_t>(L_741))))); UInt32U5BU5D_t2133601851* L_742 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_743 = V_2; NullCheck(L_742); IL2CPP_ARRAY_BOUNDS_CHECK(L_742, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_743>>((int32_t)24)))))); uintptr_t L_744 = (((uintptr_t)((int32_t)((uint32_t)L_743>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_745 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_746 = V_3; NullCheck(L_745); IL2CPP_ARRAY_BOUNDS_CHECK(L_745, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_746>>((int32_t)16))))))); int32_t L_747 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_746>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_748 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_749 = V_0; NullCheck(L_748); IL2CPP_ARRAY_BOUNDS_CHECK(L_748, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_749>>8)))))); int32_t L_750 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_749>>8))))); UInt32U5BU5D_t2133601851* L_751 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_752 = V_1; NullCheck(L_751); IL2CPP_ARRAY_BOUNDS_CHECK(L_751, (((int32_t)((uint8_t)L_752)))); int32_t L_753 = (((int32_t)((uint8_t)L_752))); UInt32U5BU5D_t2133601851* L_754 = ___ekey; NullCheck(L_754); IL2CPP_ARRAY_BOUNDS_CHECK(L_754, ((int32_t)54)); int32_t L_755 = ((int32_t)54); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_742)->GetAt(static_cast<il2cpp_array_size_t>(L_744)))^(int32_t)((L_745)->GetAt(static_cast<il2cpp_array_size_t>(L_747)))))^(int32_t)((L_748)->GetAt(static_cast<il2cpp_array_size_t>(L_750)))))^(int32_t)((L_751)->GetAt(static_cast<il2cpp_array_size_t>(L_753)))))^(int32_t)((L_754)->GetAt(static_cast<il2cpp_array_size_t>(L_755))))); UInt32U5BU5D_t2133601851* L_756 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_757 = V_3; NullCheck(L_756); IL2CPP_ARRAY_BOUNDS_CHECK(L_756, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_757>>((int32_t)24)))))); uintptr_t L_758 = (((uintptr_t)((int32_t)((uint32_t)L_757>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_759 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_760 = V_0; NullCheck(L_759); IL2CPP_ARRAY_BOUNDS_CHECK(L_759, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_760>>((int32_t)16))))))); int32_t L_761 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_760>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_762 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_763 = V_1; NullCheck(L_762); IL2CPP_ARRAY_BOUNDS_CHECK(L_762, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_763>>8)))))); int32_t L_764 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_763>>8))))); UInt32U5BU5D_t2133601851* L_765 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_766 = V_2; NullCheck(L_765); IL2CPP_ARRAY_BOUNDS_CHECK(L_765, (((int32_t)((uint8_t)L_766)))); int32_t L_767 = (((int32_t)((uint8_t)L_766))); UInt32U5BU5D_t2133601851* L_768 = ___ekey; NullCheck(L_768); IL2CPP_ARRAY_BOUNDS_CHECK(L_768, ((int32_t)55)); int32_t L_769 = ((int32_t)55); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_756)->GetAt(static_cast<il2cpp_array_size_t>(L_758)))^(int32_t)((L_759)->GetAt(static_cast<il2cpp_array_size_t>(L_761)))))^(int32_t)((L_762)->GetAt(static_cast<il2cpp_array_size_t>(L_764)))))^(int32_t)((L_765)->GetAt(static_cast<il2cpp_array_size_t>(L_767)))))^(int32_t)((L_768)->GetAt(static_cast<il2cpp_array_size_t>(L_769))))); V_8 = ((int32_t)56); } IL_0b08: { ByteU5BU5D_t58506160* L_770 = ___outdata; IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_771 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_772 = V_4; NullCheck(L_771); IL2CPP_ARRAY_BOUNDS_CHECK(L_771, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_772>>((int32_t)24)))))); uintptr_t L_773 = (((uintptr_t)((int32_t)((uint32_t)L_772>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_774 = ___ekey; int32_t L_775 = V_8; NullCheck(L_774); IL2CPP_ARRAY_BOUNDS_CHECK(L_774, L_775); int32_t L_776 = L_775; NullCheck(L_770); IL2CPP_ARRAY_BOUNDS_CHECK(L_770, 0); (L_770)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_771)->GetAt(static_cast<il2cpp_array_size_t>(L_773)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_774)->GetAt(static_cast<il2cpp_array_size_t>(L_776)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_777 = ___outdata; ByteU5BU5D_t58506160* L_778 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_779 = V_5; NullCheck(L_778); IL2CPP_ARRAY_BOUNDS_CHECK(L_778, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_779>>((int32_t)16))))))); int32_t L_780 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_779>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_781 = ___ekey; int32_t L_782 = V_8; NullCheck(L_781); IL2CPP_ARRAY_BOUNDS_CHECK(L_781, L_782); int32_t L_783 = L_782; NullCheck(L_777); IL2CPP_ARRAY_BOUNDS_CHECK(L_777, 1); (L_777)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_778)->GetAt(static_cast<il2cpp_array_size_t>(L_780)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_781)->GetAt(static_cast<il2cpp_array_size_t>(L_783)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_784 = ___outdata; ByteU5BU5D_t58506160* L_785 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_786 = V_6; NullCheck(L_785); IL2CPP_ARRAY_BOUNDS_CHECK(L_785, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_786>>8)))))); int32_t L_787 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_786>>8))))); UInt32U5BU5D_t2133601851* L_788 = ___ekey; int32_t L_789 = V_8; NullCheck(L_788); IL2CPP_ARRAY_BOUNDS_CHECK(L_788, L_789); int32_t L_790 = L_789; NullCheck(L_784); IL2CPP_ARRAY_BOUNDS_CHECK(L_784, 2); (L_784)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_785)->GetAt(static_cast<il2cpp_array_size_t>(L_787)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_788)->GetAt(static_cast<il2cpp_array_size_t>(L_790)))>>8))))))))))); ByteU5BU5D_t58506160* L_791 = ___outdata; ByteU5BU5D_t58506160* L_792 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_793 = V_7; NullCheck(L_792); IL2CPP_ARRAY_BOUNDS_CHECK(L_792, (((int32_t)((uint8_t)L_793)))); int32_t L_794 = (((int32_t)((uint8_t)L_793))); UInt32U5BU5D_t2133601851* L_795 = ___ekey; int32_t L_796 = V_8; int32_t L_797 = L_796; V_8 = ((int32_t)((int32_t)L_797+(int32_t)1)); NullCheck(L_795); IL2CPP_ARRAY_BOUNDS_CHECK(L_795, L_797); int32_t L_798 = L_797; NullCheck(L_791); IL2CPP_ARRAY_BOUNDS_CHECK(L_791, 3); (L_791)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_792)->GetAt(static_cast<il2cpp_array_size_t>(L_794)))^(int32_t)(((int32_t)((uint8_t)((L_795)->GetAt(static_cast<il2cpp_array_size_t>(L_798)))))))))))); ByteU5BU5D_t58506160* L_799 = ___outdata; ByteU5BU5D_t58506160* L_800 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_801 = V_5; NullCheck(L_800); IL2CPP_ARRAY_BOUNDS_CHECK(L_800, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_801>>((int32_t)24)))))); uintptr_t L_802 = (((uintptr_t)((int32_t)((uint32_t)L_801>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_803 = ___ekey; int32_t L_804 = V_8; NullCheck(L_803); IL2CPP_ARRAY_BOUNDS_CHECK(L_803, L_804); int32_t L_805 = L_804; NullCheck(L_799); IL2CPP_ARRAY_BOUNDS_CHECK(L_799, 4); (L_799)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_800)->GetAt(static_cast<il2cpp_array_size_t>(L_802)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_803)->GetAt(static_cast<il2cpp_array_size_t>(L_805)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_806 = ___outdata; ByteU5BU5D_t58506160* L_807 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_808 = V_6; NullCheck(L_807); IL2CPP_ARRAY_BOUNDS_CHECK(L_807, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_808>>((int32_t)16))))))); int32_t L_809 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_808>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_810 = ___ekey; int32_t L_811 = V_8; NullCheck(L_810); IL2CPP_ARRAY_BOUNDS_CHECK(L_810, L_811); int32_t L_812 = L_811; NullCheck(L_806); IL2CPP_ARRAY_BOUNDS_CHECK(L_806, 5); (L_806)->SetAt(static_cast<il2cpp_array_size_t>(5), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_807)->GetAt(static_cast<il2cpp_array_size_t>(L_809)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_810)->GetAt(static_cast<il2cpp_array_size_t>(L_812)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_813 = ___outdata; ByteU5BU5D_t58506160* L_814 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_815 = V_7; NullCheck(L_814); IL2CPP_ARRAY_BOUNDS_CHECK(L_814, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_815>>8)))))); int32_t L_816 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_815>>8))))); UInt32U5BU5D_t2133601851* L_817 = ___ekey; int32_t L_818 = V_8; NullCheck(L_817); IL2CPP_ARRAY_BOUNDS_CHECK(L_817, L_818); int32_t L_819 = L_818; NullCheck(L_813); IL2CPP_ARRAY_BOUNDS_CHECK(L_813, 6); (L_813)->SetAt(static_cast<il2cpp_array_size_t>(6), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_814)->GetAt(static_cast<il2cpp_array_size_t>(L_816)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_817)->GetAt(static_cast<il2cpp_array_size_t>(L_819)))>>8))))))))))); ByteU5BU5D_t58506160* L_820 = ___outdata; ByteU5BU5D_t58506160* L_821 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_822 = V_4; NullCheck(L_821); IL2CPP_ARRAY_BOUNDS_CHECK(L_821, (((int32_t)((uint8_t)L_822)))); int32_t L_823 = (((int32_t)((uint8_t)L_822))); UInt32U5BU5D_t2133601851* L_824 = ___ekey; int32_t L_825 = V_8; int32_t L_826 = L_825; V_8 = ((int32_t)((int32_t)L_826+(int32_t)1)); NullCheck(L_824); IL2CPP_ARRAY_BOUNDS_CHECK(L_824, L_826); int32_t L_827 = L_826; NullCheck(L_820); IL2CPP_ARRAY_BOUNDS_CHECK(L_820, 7); (L_820)->SetAt(static_cast<il2cpp_array_size_t>(7), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_821)->GetAt(static_cast<il2cpp_array_size_t>(L_823)))^(int32_t)(((int32_t)((uint8_t)((L_824)->GetAt(static_cast<il2cpp_array_size_t>(L_827)))))))))))); ByteU5BU5D_t58506160* L_828 = ___outdata; ByteU5BU5D_t58506160* L_829 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_830 = V_6; NullCheck(L_829); IL2CPP_ARRAY_BOUNDS_CHECK(L_829, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_830>>((int32_t)24)))))); uintptr_t L_831 = (((uintptr_t)((int32_t)((uint32_t)L_830>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_832 = ___ekey; int32_t L_833 = V_8; NullCheck(L_832); IL2CPP_ARRAY_BOUNDS_CHECK(L_832, L_833); int32_t L_834 = L_833; NullCheck(L_828); IL2CPP_ARRAY_BOUNDS_CHECK(L_828, 8); (L_828)->SetAt(static_cast<il2cpp_array_size_t>(8), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_829)->GetAt(static_cast<il2cpp_array_size_t>(L_831)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_832)->GetAt(static_cast<il2cpp_array_size_t>(L_834)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_835 = ___outdata; ByteU5BU5D_t58506160* L_836 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_837 = V_7; NullCheck(L_836); IL2CPP_ARRAY_BOUNDS_CHECK(L_836, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_837>>((int32_t)16))))))); int32_t L_838 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_837>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_839 = ___ekey; int32_t L_840 = V_8; NullCheck(L_839); IL2CPP_ARRAY_BOUNDS_CHECK(L_839, L_840); int32_t L_841 = L_840; NullCheck(L_835); IL2CPP_ARRAY_BOUNDS_CHECK(L_835, ((int32_t)9)); (L_835)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_836)->GetAt(static_cast<il2cpp_array_size_t>(L_838)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_839)->GetAt(static_cast<il2cpp_array_size_t>(L_841)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_842 = ___outdata; ByteU5BU5D_t58506160* L_843 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_844 = V_4; NullCheck(L_843); IL2CPP_ARRAY_BOUNDS_CHECK(L_843, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_844>>8)))))); int32_t L_845 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_844>>8))))); UInt32U5BU5D_t2133601851* L_846 = ___ekey; int32_t L_847 = V_8; NullCheck(L_846); IL2CPP_ARRAY_BOUNDS_CHECK(L_846, L_847); int32_t L_848 = L_847; NullCheck(L_842); IL2CPP_ARRAY_BOUNDS_CHECK(L_842, ((int32_t)10)); (L_842)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)10)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_843)->GetAt(static_cast<il2cpp_array_size_t>(L_845)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_846)->GetAt(static_cast<il2cpp_array_size_t>(L_848)))>>8))))))))))); ByteU5BU5D_t58506160* L_849 = ___outdata; ByteU5BU5D_t58506160* L_850 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_851 = V_5; NullCheck(L_850); IL2CPP_ARRAY_BOUNDS_CHECK(L_850, (((int32_t)((uint8_t)L_851)))); int32_t L_852 = (((int32_t)((uint8_t)L_851))); UInt32U5BU5D_t2133601851* L_853 = ___ekey; int32_t L_854 = V_8; int32_t L_855 = L_854; V_8 = ((int32_t)((int32_t)L_855+(int32_t)1)); NullCheck(L_853); IL2CPP_ARRAY_BOUNDS_CHECK(L_853, L_855); int32_t L_856 = L_855; NullCheck(L_849); IL2CPP_ARRAY_BOUNDS_CHECK(L_849, ((int32_t)11)); (L_849)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)11)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_850)->GetAt(static_cast<il2cpp_array_size_t>(L_852)))^(int32_t)(((int32_t)((uint8_t)((L_853)->GetAt(static_cast<il2cpp_array_size_t>(L_856)))))))))))); ByteU5BU5D_t58506160* L_857 = ___outdata; ByteU5BU5D_t58506160* L_858 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_859 = V_7; NullCheck(L_858); IL2CPP_ARRAY_BOUNDS_CHECK(L_858, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_859>>((int32_t)24)))))); uintptr_t L_860 = (((uintptr_t)((int32_t)((uint32_t)L_859>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_861 = ___ekey; int32_t L_862 = V_8; NullCheck(L_861); IL2CPP_ARRAY_BOUNDS_CHECK(L_861, L_862); int32_t L_863 = L_862; NullCheck(L_857); IL2CPP_ARRAY_BOUNDS_CHECK(L_857, ((int32_t)12)); (L_857)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)12)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_858)->GetAt(static_cast<il2cpp_array_size_t>(L_860)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_861)->GetAt(static_cast<il2cpp_array_size_t>(L_863)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_864 = ___outdata; ByteU5BU5D_t58506160* L_865 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_866 = V_4; NullCheck(L_865); IL2CPP_ARRAY_BOUNDS_CHECK(L_865, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_866>>((int32_t)16))))))); int32_t L_867 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_866>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_868 = ___ekey; int32_t L_869 = V_8; NullCheck(L_868); IL2CPP_ARRAY_BOUNDS_CHECK(L_868, L_869); int32_t L_870 = L_869; NullCheck(L_864); IL2CPP_ARRAY_BOUNDS_CHECK(L_864, ((int32_t)13)); (L_864)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)13)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_865)->GetAt(static_cast<il2cpp_array_size_t>(L_867)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_868)->GetAt(static_cast<il2cpp_array_size_t>(L_870)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_871 = ___outdata; ByteU5BU5D_t58506160* L_872 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_873 = V_5; NullCheck(L_872); IL2CPP_ARRAY_BOUNDS_CHECK(L_872, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_873>>8)))))); int32_t L_874 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_873>>8))))); UInt32U5BU5D_t2133601851* L_875 = ___ekey; int32_t L_876 = V_8; NullCheck(L_875); IL2CPP_ARRAY_BOUNDS_CHECK(L_875, L_876); int32_t L_877 = L_876; NullCheck(L_871); IL2CPP_ARRAY_BOUNDS_CHECK(L_871, ((int32_t)14)); (L_871)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_872)->GetAt(static_cast<il2cpp_array_size_t>(L_874)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_875)->GetAt(static_cast<il2cpp_array_size_t>(L_877)))>>8))))))))))); ByteU5BU5D_t58506160* L_878 = ___outdata; ByteU5BU5D_t58506160* L_879 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_880 = V_6; NullCheck(L_879); IL2CPP_ARRAY_BOUNDS_CHECK(L_879, (((int32_t)((uint8_t)L_880)))); int32_t L_881 = (((int32_t)((uint8_t)L_880))); UInt32U5BU5D_t2133601851* L_882 = ___ekey; int32_t L_883 = V_8; int32_t L_884 = L_883; V_8 = ((int32_t)((int32_t)L_884+(int32_t)1)); NullCheck(L_882); IL2CPP_ARRAY_BOUNDS_CHECK(L_882, L_884); int32_t L_885 = L_884; NullCheck(L_878); IL2CPP_ARRAY_BOUNDS_CHECK(L_878, ((int32_t)15)); (L_878)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_879)->GetAt(static_cast<il2cpp_array_size_t>(L_881)))^(int32_t)(((int32_t)((uint8_t)((L_882)->GetAt(static_cast<il2cpp_array_size_t>(L_885)))))))))))); return; } } // System.Void System.Security.Cryptography.RijndaelTransform::Encrypt192(System.Byte[],System.Byte[],System.UInt32[]) extern TypeInfo* RijndaelTransform_t2468220198_il2cpp_TypeInfo_var; extern const uint32_t RijndaelTransform_Encrypt192_m3340191341_MetadataUsageId; extern "C" void RijndaelTransform_Encrypt192_m3340191341 (RijndaelTransform_t2468220198 * __this, ByteU5BU5D_t58506160* ___indata, ByteU5BU5D_t58506160* ___outdata, UInt32U5BU5D_t2133601851* ___ekey, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelTransform_Encrypt192_m3340191341_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint32_t V_0 = 0; uint32_t V_1 = 0; uint32_t V_2 = 0; uint32_t V_3 = 0; uint32_t V_4 = 0; uint32_t V_5 = 0; uint32_t V_6 = 0; uint32_t V_7 = 0; uint32_t V_8 = 0; uint32_t V_9 = 0; uint32_t V_10 = 0; uint32_t V_11 = 0; int32_t V_12 = 0; { V_12 = ((int32_t)72); ByteU5BU5D_t58506160* L_0 = ___indata; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); int32_t L_1 = 0; ByteU5BU5D_t58506160* L_2 = ___indata; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 1); int32_t L_3 = 1; ByteU5BU5D_t58506160* L_4 = ___indata; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 2); int32_t L_5 = 2; ByteU5BU5D_t58506160* L_6 = ___indata; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 3); int32_t L_7 = 3; UInt32U5BU5D_t2133601851* L_8 = ___ekey; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, 0); int32_t L_9 = 0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_1)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_3)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_5)))<<(int32_t)8))))|(int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))))^(int32_t)((L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_9))))); ByteU5BU5D_t58506160* L_10 = ___indata; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 4); int32_t L_11 = 4; ByteU5BU5D_t58506160* L_12 = ___indata; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, 5); int32_t L_13 = 5; ByteU5BU5D_t58506160* L_14 = ___indata; NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, 6); int32_t L_15 = 6; ByteU5BU5D_t58506160* L_16 = ___indata; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, 7); int32_t L_17 = 7; UInt32U5BU5D_t2133601851* L_18 = ___ekey; NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, 1); int32_t L_19 = 1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_11)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_13)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_15)))<<(int32_t)8))))|(int32_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_17)))))^(int32_t)((L_18)->GetAt(static_cast<il2cpp_array_size_t>(L_19))))); ByteU5BU5D_t58506160* L_20 = ___indata; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, 8); int32_t L_21 = 8; ByteU5BU5D_t58506160* L_22 = ___indata; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, ((int32_t)9)); int32_t L_23 = ((int32_t)9); ByteU5BU5D_t58506160* L_24 = ___indata; NullCheck(L_24); IL2CPP_ARRAY_BOUNDS_CHECK(L_24, ((int32_t)10)); int32_t L_25 = ((int32_t)10); ByteU5BU5D_t58506160* L_26 = ___indata; NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, ((int32_t)11)); int32_t L_27 = ((int32_t)11); UInt32U5BU5D_t2133601851* L_28 = ___ekey; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, 2); int32_t L_29 = 2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_21)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_22)->GetAt(static_cast<il2cpp_array_size_t>(L_23)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_24)->GetAt(static_cast<il2cpp_array_size_t>(L_25)))<<(int32_t)8))))|(int32_t)((L_26)->GetAt(static_cast<il2cpp_array_size_t>(L_27)))))^(int32_t)((L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29))))); ByteU5BU5D_t58506160* L_30 = ___indata; NullCheck(L_30); IL2CPP_ARRAY_BOUNDS_CHECK(L_30, ((int32_t)12)); int32_t L_31 = ((int32_t)12); ByteU5BU5D_t58506160* L_32 = ___indata; NullCheck(L_32); IL2CPP_ARRAY_BOUNDS_CHECK(L_32, ((int32_t)13)); int32_t L_33 = ((int32_t)13); ByteU5BU5D_t58506160* L_34 = ___indata; NullCheck(L_34); IL2CPP_ARRAY_BOUNDS_CHECK(L_34, ((int32_t)14)); int32_t L_35 = ((int32_t)14); ByteU5BU5D_t58506160* L_36 = ___indata; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, ((int32_t)15)); int32_t L_37 = ((int32_t)15); UInt32U5BU5D_t2133601851* L_38 = ___ekey; NullCheck(L_38); IL2CPP_ARRAY_BOUNDS_CHECK(L_38, 3); int32_t L_39 = 3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_30)->GetAt(static_cast<il2cpp_array_size_t>(L_31)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_32)->GetAt(static_cast<il2cpp_array_size_t>(L_33)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_34)->GetAt(static_cast<il2cpp_array_size_t>(L_35)))<<(int32_t)8))))|(int32_t)((L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_37)))))^(int32_t)((L_38)->GetAt(static_cast<il2cpp_array_size_t>(L_39))))); ByteU5BU5D_t58506160* L_40 = ___indata; NullCheck(L_40); IL2CPP_ARRAY_BOUNDS_CHECK(L_40, ((int32_t)16)); int32_t L_41 = ((int32_t)16); ByteU5BU5D_t58506160* L_42 = ___indata; NullCheck(L_42); IL2CPP_ARRAY_BOUNDS_CHECK(L_42, ((int32_t)17)); int32_t L_43 = ((int32_t)17); ByteU5BU5D_t58506160* L_44 = ___indata; NullCheck(L_44); IL2CPP_ARRAY_BOUNDS_CHECK(L_44, ((int32_t)18)); int32_t L_45 = ((int32_t)18); ByteU5BU5D_t58506160* L_46 = ___indata; NullCheck(L_46); IL2CPP_ARRAY_BOUNDS_CHECK(L_46, ((int32_t)19)); int32_t L_47 = ((int32_t)19); UInt32U5BU5D_t2133601851* L_48 = ___ekey; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, 4); int32_t L_49 = 4; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_40)->GetAt(static_cast<il2cpp_array_size_t>(L_41)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_42)->GetAt(static_cast<il2cpp_array_size_t>(L_43)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_44)->GetAt(static_cast<il2cpp_array_size_t>(L_45)))<<(int32_t)8))))|(int32_t)((L_46)->GetAt(static_cast<il2cpp_array_size_t>(L_47)))))^(int32_t)((L_48)->GetAt(static_cast<il2cpp_array_size_t>(L_49))))); ByteU5BU5D_t58506160* L_50 = ___indata; NullCheck(L_50); IL2CPP_ARRAY_BOUNDS_CHECK(L_50, ((int32_t)20)); int32_t L_51 = ((int32_t)20); ByteU5BU5D_t58506160* L_52 = ___indata; NullCheck(L_52); IL2CPP_ARRAY_BOUNDS_CHECK(L_52, ((int32_t)21)); int32_t L_53 = ((int32_t)21); ByteU5BU5D_t58506160* L_54 = ___indata; NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, ((int32_t)22)); int32_t L_55 = ((int32_t)22); ByteU5BU5D_t58506160* L_56 = ___indata; NullCheck(L_56); IL2CPP_ARRAY_BOUNDS_CHECK(L_56, ((int32_t)23)); int32_t L_57 = ((int32_t)23); UInt32U5BU5D_t2133601851* L_58 = ___ekey; NullCheck(L_58); IL2CPP_ARRAY_BOUNDS_CHECK(L_58, 5); int32_t L_59 = 5; V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_50)->GetAt(static_cast<il2cpp_array_size_t>(L_51)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_52)->GetAt(static_cast<il2cpp_array_size_t>(L_53)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_55)))<<(int32_t)8))))|(int32_t)((L_56)->GetAt(static_cast<il2cpp_array_size_t>(L_57)))))^(int32_t)((L_58)->GetAt(static_cast<il2cpp_array_size_t>(L_59))))); IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_60 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_61 = V_0; NullCheck(L_60); IL2CPP_ARRAY_BOUNDS_CHECK(L_60, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_61>>((int32_t)24)))))); uintptr_t L_62 = (((uintptr_t)((int32_t)((uint32_t)L_61>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_63 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_64 = V_1; NullCheck(L_63); IL2CPP_ARRAY_BOUNDS_CHECK(L_63, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_64>>((int32_t)16))))))); int32_t L_65 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_64>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_66 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_67 = V_2; NullCheck(L_66); IL2CPP_ARRAY_BOUNDS_CHECK(L_66, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_67>>8)))))); int32_t L_68 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_67>>8))))); UInt32U5BU5D_t2133601851* L_69 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_70 = V_3; NullCheck(L_69); IL2CPP_ARRAY_BOUNDS_CHECK(L_69, (((int32_t)((uint8_t)L_70)))); int32_t L_71 = (((int32_t)((uint8_t)L_70))); UInt32U5BU5D_t2133601851* L_72 = ___ekey; NullCheck(L_72); IL2CPP_ARRAY_BOUNDS_CHECK(L_72, 6); int32_t L_73 = 6; V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_60)->GetAt(static_cast<il2cpp_array_size_t>(L_62)))^(int32_t)((L_63)->GetAt(static_cast<il2cpp_array_size_t>(L_65)))))^(int32_t)((L_66)->GetAt(static_cast<il2cpp_array_size_t>(L_68)))))^(int32_t)((L_69)->GetAt(static_cast<il2cpp_array_size_t>(L_71)))))^(int32_t)((L_72)->GetAt(static_cast<il2cpp_array_size_t>(L_73))))); UInt32U5BU5D_t2133601851* L_74 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_75 = V_1; NullCheck(L_74); IL2CPP_ARRAY_BOUNDS_CHECK(L_74, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_75>>((int32_t)24)))))); uintptr_t L_76 = (((uintptr_t)((int32_t)((uint32_t)L_75>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_77 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_78 = V_2; NullCheck(L_77); IL2CPP_ARRAY_BOUNDS_CHECK(L_77, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_78>>((int32_t)16))))))); int32_t L_79 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_78>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_80 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_81 = V_3; NullCheck(L_80); IL2CPP_ARRAY_BOUNDS_CHECK(L_80, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_81>>8)))))); int32_t L_82 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_81>>8))))); UInt32U5BU5D_t2133601851* L_83 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_84 = V_4; NullCheck(L_83); IL2CPP_ARRAY_BOUNDS_CHECK(L_83, (((int32_t)((uint8_t)L_84)))); int32_t L_85 = (((int32_t)((uint8_t)L_84))); UInt32U5BU5D_t2133601851* L_86 = ___ekey; NullCheck(L_86); IL2CPP_ARRAY_BOUNDS_CHECK(L_86, 7); int32_t L_87 = 7; V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_74)->GetAt(static_cast<il2cpp_array_size_t>(L_76)))^(int32_t)((L_77)->GetAt(static_cast<il2cpp_array_size_t>(L_79)))))^(int32_t)((L_80)->GetAt(static_cast<il2cpp_array_size_t>(L_82)))))^(int32_t)((L_83)->GetAt(static_cast<il2cpp_array_size_t>(L_85)))))^(int32_t)((L_86)->GetAt(static_cast<il2cpp_array_size_t>(L_87))))); UInt32U5BU5D_t2133601851* L_88 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_89 = V_2; NullCheck(L_88); IL2CPP_ARRAY_BOUNDS_CHECK(L_88, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_89>>((int32_t)24)))))); uintptr_t L_90 = (((uintptr_t)((int32_t)((uint32_t)L_89>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_91 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_92 = V_3; NullCheck(L_91); IL2CPP_ARRAY_BOUNDS_CHECK(L_91, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_92>>((int32_t)16))))))); int32_t L_93 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_92>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_94 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_95 = V_4; NullCheck(L_94); IL2CPP_ARRAY_BOUNDS_CHECK(L_94, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_95>>8)))))); int32_t L_96 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_95>>8))))); UInt32U5BU5D_t2133601851* L_97 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_98 = V_5; NullCheck(L_97); IL2CPP_ARRAY_BOUNDS_CHECK(L_97, (((int32_t)((uint8_t)L_98)))); int32_t L_99 = (((int32_t)((uint8_t)L_98))); UInt32U5BU5D_t2133601851* L_100 = ___ekey; NullCheck(L_100); IL2CPP_ARRAY_BOUNDS_CHECK(L_100, 8); int32_t L_101 = 8; V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_88)->GetAt(static_cast<il2cpp_array_size_t>(L_90)))^(int32_t)((L_91)->GetAt(static_cast<il2cpp_array_size_t>(L_93)))))^(int32_t)((L_94)->GetAt(static_cast<il2cpp_array_size_t>(L_96)))))^(int32_t)((L_97)->GetAt(static_cast<il2cpp_array_size_t>(L_99)))))^(int32_t)((L_100)->GetAt(static_cast<il2cpp_array_size_t>(L_101))))); UInt32U5BU5D_t2133601851* L_102 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_103 = V_3; NullCheck(L_102); IL2CPP_ARRAY_BOUNDS_CHECK(L_102, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_103>>((int32_t)24)))))); uintptr_t L_104 = (((uintptr_t)((int32_t)((uint32_t)L_103>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_105 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_106 = V_4; NullCheck(L_105); IL2CPP_ARRAY_BOUNDS_CHECK(L_105, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_106>>((int32_t)16))))))); int32_t L_107 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_106>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_108 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_109 = V_5; NullCheck(L_108); IL2CPP_ARRAY_BOUNDS_CHECK(L_108, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_109>>8)))))); int32_t L_110 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_109>>8))))); UInt32U5BU5D_t2133601851* L_111 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_112 = V_0; NullCheck(L_111); IL2CPP_ARRAY_BOUNDS_CHECK(L_111, (((int32_t)((uint8_t)L_112)))); int32_t L_113 = (((int32_t)((uint8_t)L_112))); UInt32U5BU5D_t2133601851* L_114 = ___ekey; NullCheck(L_114); IL2CPP_ARRAY_BOUNDS_CHECK(L_114, ((int32_t)9)); int32_t L_115 = ((int32_t)9); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_102)->GetAt(static_cast<il2cpp_array_size_t>(L_104)))^(int32_t)((L_105)->GetAt(static_cast<il2cpp_array_size_t>(L_107)))))^(int32_t)((L_108)->GetAt(static_cast<il2cpp_array_size_t>(L_110)))))^(int32_t)((L_111)->GetAt(static_cast<il2cpp_array_size_t>(L_113)))))^(int32_t)((L_114)->GetAt(static_cast<il2cpp_array_size_t>(L_115))))); UInt32U5BU5D_t2133601851* L_116 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_117 = V_4; NullCheck(L_116); IL2CPP_ARRAY_BOUNDS_CHECK(L_116, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_117>>((int32_t)24)))))); uintptr_t L_118 = (((uintptr_t)((int32_t)((uint32_t)L_117>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_119 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_120 = V_5; NullCheck(L_119); IL2CPP_ARRAY_BOUNDS_CHECK(L_119, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_120>>((int32_t)16))))))); int32_t L_121 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_120>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_122 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_123 = V_0; NullCheck(L_122); IL2CPP_ARRAY_BOUNDS_CHECK(L_122, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_123>>8)))))); int32_t L_124 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_123>>8))))); UInt32U5BU5D_t2133601851* L_125 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_126 = V_1; NullCheck(L_125); IL2CPP_ARRAY_BOUNDS_CHECK(L_125, (((int32_t)((uint8_t)L_126)))); int32_t L_127 = (((int32_t)((uint8_t)L_126))); UInt32U5BU5D_t2133601851* L_128 = ___ekey; NullCheck(L_128); IL2CPP_ARRAY_BOUNDS_CHECK(L_128, ((int32_t)10)); int32_t L_129 = ((int32_t)10); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_116)->GetAt(static_cast<il2cpp_array_size_t>(L_118)))^(int32_t)((L_119)->GetAt(static_cast<il2cpp_array_size_t>(L_121)))))^(int32_t)((L_122)->GetAt(static_cast<il2cpp_array_size_t>(L_124)))))^(int32_t)((L_125)->GetAt(static_cast<il2cpp_array_size_t>(L_127)))))^(int32_t)((L_128)->GetAt(static_cast<il2cpp_array_size_t>(L_129))))); UInt32U5BU5D_t2133601851* L_130 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_131 = V_5; NullCheck(L_130); IL2CPP_ARRAY_BOUNDS_CHECK(L_130, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_131>>((int32_t)24)))))); uintptr_t L_132 = (((uintptr_t)((int32_t)((uint32_t)L_131>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_133 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_134 = V_0; NullCheck(L_133); IL2CPP_ARRAY_BOUNDS_CHECK(L_133, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_134>>((int32_t)16))))))); int32_t L_135 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_134>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_136 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_137 = V_1; NullCheck(L_136); IL2CPP_ARRAY_BOUNDS_CHECK(L_136, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_137>>8)))))); int32_t L_138 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_137>>8))))); UInt32U5BU5D_t2133601851* L_139 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_140 = V_2; NullCheck(L_139); IL2CPP_ARRAY_BOUNDS_CHECK(L_139, (((int32_t)((uint8_t)L_140)))); int32_t L_141 = (((int32_t)((uint8_t)L_140))); UInt32U5BU5D_t2133601851* L_142 = ___ekey; NullCheck(L_142); IL2CPP_ARRAY_BOUNDS_CHECK(L_142, ((int32_t)11)); int32_t L_143 = ((int32_t)11); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_130)->GetAt(static_cast<il2cpp_array_size_t>(L_132)))^(int32_t)((L_133)->GetAt(static_cast<il2cpp_array_size_t>(L_135)))))^(int32_t)((L_136)->GetAt(static_cast<il2cpp_array_size_t>(L_138)))))^(int32_t)((L_139)->GetAt(static_cast<il2cpp_array_size_t>(L_141)))))^(int32_t)((L_142)->GetAt(static_cast<il2cpp_array_size_t>(L_143))))); UInt32U5BU5D_t2133601851* L_144 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_145 = V_6; NullCheck(L_144); IL2CPP_ARRAY_BOUNDS_CHECK(L_144, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_145>>((int32_t)24)))))); uintptr_t L_146 = (((uintptr_t)((int32_t)((uint32_t)L_145>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_147 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_148 = V_7; NullCheck(L_147); IL2CPP_ARRAY_BOUNDS_CHECK(L_147, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_148>>((int32_t)16))))))); int32_t L_149 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_148>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_150 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_151 = V_8; NullCheck(L_150); IL2CPP_ARRAY_BOUNDS_CHECK(L_150, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_151>>8)))))); int32_t L_152 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_151>>8))))); UInt32U5BU5D_t2133601851* L_153 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_154 = V_9; NullCheck(L_153); IL2CPP_ARRAY_BOUNDS_CHECK(L_153, (((int32_t)((uint8_t)L_154)))); int32_t L_155 = (((int32_t)((uint8_t)L_154))); UInt32U5BU5D_t2133601851* L_156 = ___ekey; NullCheck(L_156); IL2CPP_ARRAY_BOUNDS_CHECK(L_156, ((int32_t)12)); int32_t L_157 = ((int32_t)12); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_144)->GetAt(static_cast<il2cpp_array_size_t>(L_146)))^(int32_t)((L_147)->GetAt(static_cast<il2cpp_array_size_t>(L_149)))))^(int32_t)((L_150)->GetAt(static_cast<il2cpp_array_size_t>(L_152)))))^(int32_t)((L_153)->GetAt(static_cast<il2cpp_array_size_t>(L_155)))))^(int32_t)((L_156)->GetAt(static_cast<il2cpp_array_size_t>(L_157))))); UInt32U5BU5D_t2133601851* L_158 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_159 = V_7; NullCheck(L_158); IL2CPP_ARRAY_BOUNDS_CHECK(L_158, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_159>>((int32_t)24)))))); uintptr_t L_160 = (((uintptr_t)((int32_t)((uint32_t)L_159>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_161 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_162 = V_8; NullCheck(L_161); IL2CPP_ARRAY_BOUNDS_CHECK(L_161, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_162>>((int32_t)16))))))); int32_t L_163 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_162>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_164 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_165 = V_9; NullCheck(L_164); IL2CPP_ARRAY_BOUNDS_CHECK(L_164, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_165>>8)))))); int32_t L_166 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_165>>8))))); UInt32U5BU5D_t2133601851* L_167 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_168 = V_10; NullCheck(L_167); IL2CPP_ARRAY_BOUNDS_CHECK(L_167, (((int32_t)((uint8_t)L_168)))); int32_t L_169 = (((int32_t)((uint8_t)L_168))); UInt32U5BU5D_t2133601851* L_170 = ___ekey; NullCheck(L_170); IL2CPP_ARRAY_BOUNDS_CHECK(L_170, ((int32_t)13)); int32_t L_171 = ((int32_t)13); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_158)->GetAt(static_cast<il2cpp_array_size_t>(L_160)))^(int32_t)((L_161)->GetAt(static_cast<il2cpp_array_size_t>(L_163)))))^(int32_t)((L_164)->GetAt(static_cast<il2cpp_array_size_t>(L_166)))))^(int32_t)((L_167)->GetAt(static_cast<il2cpp_array_size_t>(L_169)))))^(int32_t)((L_170)->GetAt(static_cast<il2cpp_array_size_t>(L_171))))); UInt32U5BU5D_t2133601851* L_172 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_173 = V_8; NullCheck(L_172); IL2CPP_ARRAY_BOUNDS_CHECK(L_172, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_173>>((int32_t)24)))))); uintptr_t L_174 = (((uintptr_t)((int32_t)((uint32_t)L_173>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_175 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_176 = V_9; NullCheck(L_175); IL2CPP_ARRAY_BOUNDS_CHECK(L_175, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_176>>((int32_t)16))))))); int32_t L_177 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_176>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_178 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_179 = V_10; NullCheck(L_178); IL2CPP_ARRAY_BOUNDS_CHECK(L_178, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_179>>8)))))); int32_t L_180 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_179>>8))))); UInt32U5BU5D_t2133601851* L_181 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_182 = V_11; NullCheck(L_181); IL2CPP_ARRAY_BOUNDS_CHECK(L_181, (((int32_t)((uint8_t)L_182)))); int32_t L_183 = (((int32_t)((uint8_t)L_182))); UInt32U5BU5D_t2133601851* L_184 = ___ekey; NullCheck(L_184); IL2CPP_ARRAY_BOUNDS_CHECK(L_184, ((int32_t)14)); int32_t L_185 = ((int32_t)14); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_172)->GetAt(static_cast<il2cpp_array_size_t>(L_174)))^(int32_t)((L_175)->GetAt(static_cast<il2cpp_array_size_t>(L_177)))))^(int32_t)((L_178)->GetAt(static_cast<il2cpp_array_size_t>(L_180)))))^(int32_t)((L_181)->GetAt(static_cast<il2cpp_array_size_t>(L_183)))))^(int32_t)((L_184)->GetAt(static_cast<il2cpp_array_size_t>(L_185))))); UInt32U5BU5D_t2133601851* L_186 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_187 = V_9; NullCheck(L_186); IL2CPP_ARRAY_BOUNDS_CHECK(L_186, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_187>>((int32_t)24)))))); uintptr_t L_188 = (((uintptr_t)((int32_t)((uint32_t)L_187>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_189 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_190 = V_10; NullCheck(L_189); IL2CPP_ARRAY_BOUNDS_CHECK(L_189, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_190>>((int32_t)16))))))); int32_t L_191 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_190>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_192 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_193 = V_11; NullCheck(L_192); IL2CPP_ARRAY_BOUNDS_CHECK(L_192, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_193>>8)))))); int32_t L_194 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_193>>8))))); UInt32U5BU5D_t2133601851* L_195 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_196 = V_6; NullCheck(L_195); IL2CPP_ARRAY_BOUNDS_CHECK(L_195, (((int32_t)((uint8_t)L_196)))); int32_t L_197 = (((int32_t)((uint8_t)L_196))); UInt32U5BU5D_t2133601851* L_198 = ___ekey; NullCheck(L_198); IL2CPP_ARRAY_BOUNDS_CHECK(L_198, ((int32_t)15)); int32_t L_199 = ((int32_t)15); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_186)->GetAt(static_cast<il2cpp_array_size_t>(L_188)))^(int32_t)((L_189)->GetAt(static_cast<il2cpp_array_size_t>(L_191)))))^(int32_t)((L_192)->GetAt(static_cast<il2cpp_array_size_t>(L_194)))))^(int32_t)((L_195)->GetAt(static_cast<il2cpp_array_size_t>(L_197)))))^(int32_t)((L_198)->GetAt(static_cast<il2cpp_array_size_t>(L_199))))); UInt32U5BU5D_t2133601851* L_200 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_201 = V_10; NullCheck(L_200); IL2CPP_ARRAY_BOUNDS_CHECK(L_200, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_201>>((int32_t)24)))))); uintptr_t L_202 = (((uintptr_t)((int32_t)((uint32_t)L_201>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_203 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_204 = V_11; NullCheck(L_203); IL2CPP_ARRAY_BOUNDS_CHECK(L_203, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_204>>((int32_t)16))))))); int32_t L_205 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_204>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_206 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_207 = V_6; NullCheck(L_206); IL2CPP_ARRAY_BOUNDS_CHECK(L_206, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_207>>8)))))); int32_t L_208 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_207>>8))))); UInt32U5BU5D_t2133601851* L_209 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_210 = V_7; NullCheck(L_209); IL2CPP_ARRAY_BOUNDS_CHECK(L_209, (((int32_t)((uint8_t)L_210)))); int32_t L_211 = (((int32_t)((uint8_t)L_210))); UInt32U5BU5D_t2133601851* L_212 = ___ekey; NullCheck(L_212); IL2CPP_ARRAY_BOUNDS_CHECK(L_212, ((int32_t)16)); int32_t L_213 = ((int32_t)16); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_200)->GetAt(static_cast<il2cpp_array_size_t>(L_202)))^(int32_t)((L_203)->GetAt(static_cast<il2cpp_array_size_t>(L_205)))))^(int32_t)((L_206)->GetAt(static_cast<il2cpp_array_size_t>(L_208)))))^(int32_t)((L_209)->GetAt(static_cast<il2cpp_array_size_t>(L_211)))))^(int32_t)((L_212)->GetAt(static_cast<il2cpp_array_size_t>(L_213))))); UInt32U5BU5D_t2133601851* L_214 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_215 = V_11; NullCheck(L_214); IL2CPP_ARRAY_BOUNDS_CHECK(L_214, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_215>>((int32_t)24)))))); uintptr_t L_216 = (((uintptr_t)((int32_t)((uint32_t)L_215>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_217 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_218 = V_6; NullCheck(L_217); IL2CPP_ARRAY_BOUNDS_CHECK(L_217, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_218>>((int32_t)16))))))); int32_t L_219 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_218>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_220 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_221 = V_7; NullCheck(L_220); IL2CPP_ARRAY_BOUNDS_CHECK(L_220, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_221>>8)))))); int32_t L_222 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_221>>8))))); UInt32U5BU5D_t2133601851* L_223 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_224 = V_8; NullCheck(L_223); IL2CPP_ARRAY_BOUNDS_CHECK(L_223, (((int32_t)((uint8_t)L_224)))); int32_t L_225 = (((int32_t)((uint8_t)L_224))); UInt32U5BU5D_t2133601851* L_226 = ___ekey; NullCheck(L_226); IL2CPP_ARRAY_BOUNDS_CHECK(L_226, ((int32_t)17)); int32_t L_227 = ((int32_t)17); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_214)->GetAt(static_cast<il2cpp_array_size_t>(L_216)))^(int32_t)((L_217)->GetAt(static_cast<il2cpp_array_size_t>(L_219)))))^(int32_t)((L_220)->GetAt(static_cast<il2cpp_array_size_t>(L_222)))))^(int32_t)((L_223)->GetAt(static_cast<il2cpp_array_size_t>(L_225)))))^(int32_t)((L_226)->GetAt(static_cast<il2cpp_array_size_t>(L_227))))); UInt32U5BU5D_t2133601851* L_228 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_229 = V_0; NullCheck(L_228); IL2CPP_ARRAY_BOUNDS_CHECK(L_228, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_229>>((int32_t)24)))))); uintptr_t L_230 = (((uintptr_t)((int32_t)((uint32_t)L_229>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_231 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_232 = V_1; NullCheck(L_231); IL2CPP_ARRAY_BOUNDS_CHECK(L_231, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_232>>((int32_t)16))))))); int32_t L_233 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_232>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_234 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_235 = V_2; NullCheck(L_234); IL2CPP_ARRAY_BOUNDS_CHECK(L_234, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_235>>8)))))); int32_t L_236 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_235>>8))))); UInt32U5BU5D_t2133601851* L_237 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_238 = V_3; NullCheck(L_237); IL2CPP_ARRAY_BOUNDS_CHECK(L_237, (((int32_t)((uint8_t)L_238)))); int32_t L_239 = (((int32_t)((uint8_t)L_238))); UInt32U5BU5D_t2133601851* L_240 = ___ekey; NullCheck(L_240); IL2CPP_ARRAY_BOUNDS_CHECK(L_240, ((int32_t)18)); int32_t L_241 = ((int32_t)18); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_228)->GetAt(static_cast<il2cpp_array_size_t>(L_230)))^(int32_t)((L_231)->GetAt(static_cast<il2cpp_array_size_t>(L_233)))))^(int32_t)((L_234)->GetAt(static_cast<il2cpp_array_size_t>(L_236)))))^(int32_t)((L_237)->GetAt(static_cast<il2cpp_array_size_t>(L_239)))))^(int32_t)((L_240)->GetAt(static_cast<il2cpp_array_size_t>(L_241))))); UInt32U5BU5D_t2133601851* L_242 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_243 = V_1; NullCheck(L_242); IL2CPP_ARRAY_BOUNDS_CHECK(L_242, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_243>>((int32_t)24)))))); uintptr_t L_244 = (((uintptr_t)((int32_t)((uint32_t)L_243>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_245 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_246 = V_2; NullCheck(L_245); IL2CPP_ARRAY_BOUNDS_CHECK(L_245, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_246>>((int32_t)16))))))); int32_t L_247 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_246>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_248 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_249 = V_3; NullCheck(L_248); IL2CPP_ARRAY_BOUNDS_CHECK(L_248, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_249>>8)))))); int32_t L_250 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_249>>8))))); UInt32U5BU5D_t2133601851* L_251 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_252 = V_4; NullCheck(L_251); IL2CPP_ARRAY_BOUNDS_CHECK(L_251, (((int32_t)((uint8_t)L_252)))); int32_t L_253 = (((int32_t)((uint8_t)L_252))); UInt32U5BU5D_t2133601851* L_254 = ___ekey; NullCheck(L_254); IL2CPP_ARRAY_BOUNDS_CHECK(L_254, ((int32_t)19)); int32_t L_255 = ((int32_t)19); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_242)->GetAt(static_cast<il2cpp_array_size_t>(L_244)))^(int32_t)((L_245)->GetAt(static_cast<il2cpp_array_size_t>(L_247)))))^(int32_t)((L_248)->GetAt(static_cast<il2cpp_array_size_t>(L_250)))))^(int32_t)((L_251)->GetAt(static_cast<il2cpp_array_size_t>(L_253)))))^(int32_t)((L_254)->GetAt(static_cast<il2cpp_array_size_t>(L_255))))); UInt32U5BU5D_t2133601851* L_256 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_257 = V_2; NullCheck(L_256); IL2CPP_ARRAY_BOUNDS_CHECK(L_256, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_257>>((int32_t)24)))))); uintptr_t L_258 = (((uintptr_t)((int32_t)((uint32_t)L_257>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_259 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_260 = V_3; NullCheck(L_259); IL2CPP_ARRAY_BOUNDS_CHECK(L_259, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_260>>((int32_t)16))))))); int32_t L_261 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_260>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_262 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_263 = V_4; NullCheck(L_262); IL2CPP_ARRAY_BOUNDS_CHECK(L_262, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_263>>8)))))); int32_t L_264 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_263>>8))))); UInt32U5BU5D_t2133601851* L_265 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_266 = V_5; NullCheck(L_265); IL2CPP_ARRAY_BOUNDS_CHECK(L_265, (((int32_t)((uint8_t)L_266)))); int32_t L_267 = (((int32_t)((uint8_t)L_266))); UInt32U5BU5D_t2133601851* L_268 = ___ekey; NullCheck(L_268); IL2CPP_ARRAY_BOUNDS_CHECK(L_268, ((int32_t)20)); int32_t L_269 = ((int32_t)20); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_256)->GetAt(static_cast<il2cpp_array_size_t>(L_258)))^(int32_t)((L_259)->GetAt(static_cast<il2cpp_array_size_t>(L_261)))))^(int32_t)((L_262)->GetAt(static_cast<il2cpp_array_size_t>(L_264)))))^(int32_t)((L_265)->GetAt(static_cast<il2cpp_array_size_t>(L_267)))))^(int32_t)((L_268)->GetAt(static_cast<il2cpp_array_size_t>(L_269))))); UInt32U5BU5D_t2133601851* L_270 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_271 = V_3; NullCheck(L_270); IL2CPP_ARRAY_BOUNDS_CHECK(L_270, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_271>>((int32_t)24)))))); uintptr_t L_272 = (((uintptr_t)((int32_t)((uint32_t)L_271>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_273 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_274 = V_4; NullCheck(L_273); IL2CPP_ARRAY_BOUNDS_CHECK(L_273, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_274>>((int32_t)16))))))); int32_t L_275 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_274>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_276 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_277 = V_5; NullCheck(L_276); IL2CPP_ARRAY_BOUNDS_CHECK(L_276, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_277>>8)))))); int32_t L_278 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_277>>8))))); UInt32U5BU5D_t2133601851* L_279 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_280 = V_0; NullCheck(L_279); IL2CPP_ARRAY_BOUNDS_CHECK(L_279, (((int32_t)((uint8_t)L_280)))); int32_t L_281 = (((int32_t)((uint8_t)L_280))); UInt32U5BU5D_t2133601851* L_282 = ___ekey; NullCheck(L_282); IL2CPP_ARRAY_BOUNDS_CHECK(L_282, ((int32_t)21)); int32_t L_283 = ((int32_t)21); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_270)->GetAt(static_cast<il2cpp_array_size_t>(L_272)))^(int32_t)((L_273)->GetAt(static_cast<il2cpp_array_size_t>(L_275)))))^(int32_t)((L_276)->GetAt(static_cast<il2cpp_array_size_t>(L_278)))))^(int32_t)((L_279)->GetAt(static_cast<il2cpp_array_size_t>(L_281)))))^(int32_t)((L_282)->GetAt(static_cast<il2cpp_array_size_t>(L_283))))); UInt32U5BU5D_t2133601851* L_284 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_285 = V_4; NullCheck(L_284); IL2CPP_ARRAY_BOUNDS_CHECK(L_284, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_285>>((int32_t)24)))))); uintptr_t L_286 = (((uintptr_t)((int32_t)((uint32_t)L_285>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_287 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_288 = V_5; NullCheck(L_287); IL2CPP_ARRAY_BOUNDS_CHECK(L_287, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_288>>((int32_t)16))))))); int32_t L_289 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_288>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_290 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_291 = V_0; NullCheck(L_290); IL2CPP_ARRAY_BOUNDS_CHECK(L_290, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_291>>8)))))); int32_t L_292 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_291>>8))))); UInt32U5BU5D_t2133601851* L_293 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_294 = V_1; NullCheck(L_293); IL2CPP_ARRAY_BOUNDS_CHECK(L_293, (((int32_t)((uint8_t)L_294)))); int32_t L_295 = (((int32_t)((uint8_t)L_294))); UInt32U5BU5D_t2133601851* L_296 = ___ekey; NullCheck(L_296); IL2CPP_ARRAY_BOUNDS_CHECK(L_296, ((int32_t)22)); int32_t L_297 = ((int32_t)22); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_284)->GetAt(static_cast<il2cpp_array_size_t>(L_286)))^(int32_t)((L_287)->GetAt(static_cast<il2cpp_array_size_t>(L_289)))))^(int32_t)((L_290)->GetAt(static_cast<il2cpp_array_size_t>(L_292)))))^(int32_t)((L_293)->GetAt(static_cast<il2cpp_array_size_t>(L_295)))))^(int32_t)((L_296)->GetAt(static_cast<il2cpp_array_size_t>(L_297))))); UInt32U5BU5D_t2133601851* L_298 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_299 = V_5; NullCheck(L_298); IL2CPP_ARRAY_BOUNDS_CHECK(L_298, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_299>>((int32_t)24)))))); uintptr_t L_300 = (((uintptr_t)((int32_t)((uint32_t)L_299>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_301 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_302 = V_0; NullCheck(L_301); IL2CPP_ARRAY_BOUNDS_CHECK(L_301, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_302>>((int32_t)16))))))); int32_t L_303 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_302>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_304 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_305 = V_1; NullCheck(L_304); IL2CPP_ARRAY_BOUNDS_CHECK(L_304, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_305>>8)))))); int32_t L_306 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_305>>8))))); UInt32U5BU5D_t2133601851* L_307 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_308 = V_2; NullCheck(L_307); IL2CPP_ARRAY_BOUNDS_CHECK(L_307, (((int32_t)((uint8_t)L_308)))); int32_t L_309 = (((int32_t)((uint8_t)L_308))); UInt32U5BU5D_t2133601851* L_310 = ___ekey; NullCheck(L_310); IL2CPP_ARRAY_BOUNDS_CHECK(L_310, ((int32_t)23)); int32_t L_311 = ((int32_t)23); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_298)->GetAt(static_cast<il2cpp_array_size_t>(L_300)))^(int32_t)((L_301)->GetAt(static_cast<il2cpp_array_size_t>(L_303)))))^(int32_t)((L_304)->GetAt(static_cast<il2cpp_array_size_t>(L_306)))))^(int32_t)((L_307)->GetAt(static_cast<il2cpp_array_size_t>(L_309)))))^(int32_t)((L_310)->GetAt(static_cast<il2cpp_array_size_t>(L_311))))); UInt32U5BU5D_t2133601851* L_312 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_313 = V_6; NullCheck(L_312); IL2CPP_ARRAY_BOUNDS_CHECK(L_312, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_313>>((int32_t)24)))))); uintptr_t L_314 = (((uintptr_t)((int32_t)((uint32_t)L_313>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_315 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_316 = V_7; NullCheck(L_315); IL2CPP_ARRAY_BOUNDS_CHECK(L_315, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_316>>((int32_t)16))))))); int32_t L_317 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_316>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_318 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_319 = V_8; NullCheck(L_318); IL2CPP_ARRAY_BOUNDS_CHECK(L_318, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_319>>8)))))); int32_t L_320 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_319>>8))))); UInt32U5BU5D_t2133601851* L_321 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_322 = V_9; NullCheck(L_321); IL2CPP_ARRAY_BOUNDS_CHECK(L_321, (((int32_t)((uint8_t)L_322)))); int32_t L_323 = (((int32_t)((uint8_t)L_322))); UInt32U5BU5D_t2133601851* L_324 = ___ekey; NullCheck(L_324); IL2CPP_ARRAY_BOUNDS_CHECK(L_324, ((int32_t)24)); int32_t L_325 = ((int32_t)24); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_312)->GetAt(static_cast<il2cpp_array_size_t>(L_314)))^(int32_t)((L_315)->GetAt(static_cast<il2cpp_array_size_t>(L_317)))))^(int32_t)((L_318)->GetAt(static_cast<il2cpp_array_size_t>(L_320)))))^(int32_t)((L_321)->GetAt(static_cast<il2cpp_array_size_t>(L_323)))))^(int32_t)((L_324)->GetAt(static_cast<il2cpp_array_size_t>(L_325))))); UInt32U5BU5D_t2133601851* L_326 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_327 = V_7; NullCheck(L_326); IL2CPP_ARRAY_BOUNDS_CHECK(L_326, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_327>>((int32_t)24)))))); uintptr_t L_328 = (((uintptr_t)((int32_t)((uint32_t)L_327>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_329 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_330 = V_8; NullCheck(L_329); IL2CPP_ARRAY_BOUNDS_CHECK(L_329, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_330>>((int32_t)16))))))); int32_t L_331 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_330>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_332 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_333 = V_9; NullCheck(L_332); IL2CPP_ARRAY_BOUNDS_CHECK(L_332, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_333>>8)))))); int32_t L_334 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_333>>8))))); UInt32U5BU5D_t2133601851* L_335 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_336 = V_10; NullCheck(L_335); IL2CPP_ARRAY_BOUNDS_CHECK(L_335, (((int32_t)((uint8_t)L_336)))); int32_t L_337 = (((int32_t)((uint8_t)L_336))); UInt32U5BU5D_t2133601851* L_338 = ___ekey; NullCheck(L_338); IL2CPP_ARRAY_BOUNDS_CHECK(L_338, ((int32_t)25)); int32_t L_339 = ((int32_t)25); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_326)->GetAt(static_cast<il2cpp_array_size_t>(L_328)))^(int32_t)((L_329)->GetAt(static_cast<il2cpp_array_size_t>(L_331)))))^(int32_t)((L_332)->GetAt(static_cast<il2cpp_array_size_t>(L_334)))))^(int32_t)((L_335)->GetAt(static_cast<il2cpp_array_size_t>(L_337)))))^(int32_t)((L_338)->GetAt(static_cast<il2cpp_array_size_t>(L_339))))); UInt32U5BU5D_t2133601851* L_340 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_341 = V_8; NullCheck(L_340); IL2CPP_ARRAY_BOUNDS_CHECK(L_340, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_341>>((int32_t)24)))))); uintptr_t L_342 = (((uintptr_t)((int32_t)((uint32_t)L_341>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_343 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_344 = V_9; NullCheck(L_343); IL2CPP_ARRAY_BOUNDS_CHECK(L_343, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_344>>((int32_t)16))))))); int32_t L_345 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_344>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_346 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_347 = V_10; NullCheck(L_346); IL2CPP_ARRAY_BOUNDS_CHECK(L_346, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_347>>8)))))); int32_t L_348 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_347>>8))))); UInt32U5BU5D_t2133601851* L_349 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_350 = V_11; NullCheck(L_349); IL2CPP_ARRAY_BOUNDS_CHECK(L_349, (((int32_t)((uint8_t)L_350)))); int32_t L_351 = (((int32_t)((uint8_t)L_350))); UInt32U5BU5D_t2133601851* L_352 = ___ekey; NullCheck(L_352); IL2CPP_ARRAY_BOUNDS_CHECK(L_352, ((int32_t)26)); int32_t L_353 = ((int32_t)26); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_340)->GetAt(static_cast<il2cpp_array_size_t>(L_342)))^(int32_t)((L_343)->GetAt(static_cast<il2cpp_array_size_t>(L_345)))))^(int32_t)((L_346)->GetAt(static_cast<il2cpp_array_size_t>(L_348)))))^(int32_t)((L_349)->GetAt(static_cast<il2cpp_array_size_t>(L_351)))))^(int32_t)((L_352)->GetAt(static_cast<il2cpp_array_size_t>(L_353))))); UInt32U5BU5D_t2133601851* L_354 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_355 = V_9; NullCheck(L_354); IL2CPP_ARRAY_BOUNDS_CHECK(L_354, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_355>>((int32_t)24)))))); uintptr_t L_356 = (((uintptr_t)((int32_t)((uint32_t)L_355>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_357 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_358 = V_10; NullCheck(L_357); IL2CPP_ARRAY_BOUNDS_CHECK(L_357, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_358>>((int32_t)16))))))); int32_t L_359 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_358>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_360 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_361 = V_11; NullCheck(L_360); IL2CPP_ARRAY_BOUNDS_CHECK(L_360, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_361>>8)))))); int32_t L_362 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_361>>8))))); UInt32U5BU5D_t2133601851* L_363 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_364 = V_6; NullCheck(L_363); IL2CPP_ARRAY_BOUNDS_CHECK(L_363, (((int32_t)((uint8_t)L_364)))); int32_t L_365 = (((int32_t)((uint8_t)L_364))); UInt32U5BU5D_t2133601851* L_366 = ___ekey; NullCheck(L_366); IL2CPP_ARRAY_BOUNDS_CHECK(L_366, ((int32_t)27)); int32_t L_367 = ((int32_t)27); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_354)->GetAt(static_cast<il2cpp_array_size_t>(L_356)))^(int32_t)((L_357)->GetAt(static_cast<il2cpp_array_size_t>(L_359)))))^(int32_t)((L_360)->GetAt(static_cast<il2cpp_array_size_t>(L_362)))))^(int32_t)((L_363)->GetAt(static_cast<il2cpp_array_size_t>(L_365)))))^(int32_t)((L_366)->GetAt(static_cast<il2cpp_array_size_t>(L_367))))); UInt32U5BU5D_t2133601851* L_368 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_369 = V_10; NullCheck(L_368); IL2CPP_ARRAY_BOUNDS_CHECK(L_368, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_369>>((int32_t)24)))))); uintptr_t L_370 = (((uintptr_t)((int32_t)((uint32_t)L_369>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_371 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_372 = V_11; NullCheck(L_371); IL2CPP_ARRAY_BOUNDS_CHECK(L_371, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_372>>((int32_t)16))))))); int32_t L_373 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_372>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_374 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_375 = V_6; NullCheck(L_374); IL2CPP_ARRAY_BOUNDS_CHECK(L_374, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_375>>8)))))); int32_t L_376 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_375>>8))))); UInt32U5BU5D_t2133601851* L_377 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_378 = V_7; NullCheck(L_377); IL2CPP_ARRAY_BOUNDS_CHECK(L_377, (((int32_t)((uint8_t)L_378)))); int32_t L_379 = (((int32_t)((uint8_t)L_378))); UInt32U5BU5D_t2133601851* L_380 = ___ekey; NullCheck(L_380); IL2CPP_ARRAY_BOUNDS_CHECK(L_380, ((int32_t)28)); int32_t L_381 = ((int32_t)28); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_368)->GetAt(static_cast<il2cpp_array_size_t>(L_370)))^(int32_t)((L_371)->GetAt(static_cast<il2cpp_array_size_t>(L_373)))))^(int32_t)((L_374)->GetAt(static_cast<il2cpp_array_size_t>(L_376)))))^(int32_t)((L_377)->GetAt(static_cast<il2cpp_array_size_t>(L_379)))))^(int32_t)((L_380)->GetAt(static_cast<il2cpp_array_size_t>(L_381))))); UInt32U5BU5D_t2133601851* L_382 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_383 = V_11; NullCheck(L_382); IL2CPP_ARRAY_BOUNDS_CHECK(L_382, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_383>>((int32_t)24)))))); uintptr_t L_384 = (((uintptr_t)((int32_t)((uint32_t)L_383>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_385 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_386 = V_6; NullCheck(L_385); IL2CPP_ARRAY_BOUNDS_CHECK(L_385, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_386>>((int32_t)16))))))); int32_t L_387 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_386>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_388 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_389 = V_7; NullCheck(L_388); IL2CPP_ARRAY_BOUNDS_CHECK(L_388, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_389>>8)))))); int32_t L_390 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_389>>8))))); UInt32U5BU5D_t2133601851* L_391 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_392 = V_8; NullCheck(L_391); IL2CPP_ARRAY_BOUNDS_CHECK(L_391, (((int32_t)((uint8_t)L_392)))); int32_t L_393 = (((int32_t)((uint8_t)L_392))); UInt32U5BU5D_t2133601851* L_394 = ___ekey; NullCheck(L_394); IL2CPP_ARRAY_BOUNDS_CHECK(L_394, ((int32_t)29)); int32_t L_395 = ((int32_t)29); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_382)->GetAt(static_cast<il2cpp_array_size_t>(L_384)))^(int32_t)((L_385)->GetAt(static_cast<il2cpp_array_size_t>(L_387)))))^(int32_t)((L_388)->GetAt(static_cast<il2cpp_array_size_t>(L_390)))))^(int32_t)((L_391)->GetAt(static_cast<il2cpp_array_size_t>(L_393)))))^(int32_t)((L_394)->GetAt(static_cast<il2cpp_array_size_t>(L_395))))); UInt32U5BU5D_t2133601851* L_396 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_397 = V_0; NullCheck(L_396); IL2CPP_ARRAY_BOUNDS_CHECK(L_396, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_397>>((int32_t)24)))))); uintptr_t L_398 = (((uintptr_t)((int32_t)((uint32_t)L_397>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_399 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_400 = V_1; NullCheck(L_399); IL2CPP_ARRAY_BOUNDS_CHECK(L_399, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_400>>((int32_t)16))))))); int32_t L_401 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_400>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_402 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_403 = V_2; NullCheck(L_402); IL2CPP_ARRAY_BOUNDS_CHECK(L_402, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_403>>8)))))); int32_t L_404 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_403>>8))))); UInt32U5BU5D_t2133601851* L_405 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_406 = V_3; NullCheck(L_405); IL2CPP_ARRAY_BOUNDS_CHECK(L_405, (((int32_t)((uint8_t)L_406)))); int32_t L_407 = (((int32_t)((uint8_t)L_406))); UInt32U5BU5D_t2133601851* L_408 = ___ekey; NullCheck(L_408); IL2CPP_ARRAY_BOUNDS_CHECK(L_408, ((int32_t)30)); int32_t L_409 = ((int32_t)30); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_396)->GetAt(static_cast<il2cpp_array_size_t>(L_398)))^(int32_t)((L_399)->GetAt(static_cast<il2cpp_array_size_t>(L_401)))))^(int32_t)((L_402)->GetAt(static_cast<il2cpp_array_size_t>(L_404)))))^(int32_t)((L_405)->GetAt(static_cast<il2cpp_array_size_t>(L_407)))))^(int32_t)((L_408)->GetAt(static_cast<il2cpp_array_size_t>(L_409))))); UInt32U5BU5D_t2133601851* L_410 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_411 = V_1; NullCheck(L_410); IL2CPP_ARRAY_BOUNDS_CHECK(L_410, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_411>>((int32_t)24)))))); uintptr_t L_412 = (((uintptr_t)((int32_t)((uint32_t)L_411>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_413 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_414 = V_2; NullCheck(L_413); IL2CPP_ARRAY_BOUNDS_CHECK(L_413, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_414>>((int32_t)16))))))); int32_t L_415 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_414>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_416 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_417 = V_3; NullCheck(L_416); IL2CPP_ARRAY_BOUNDS_CHECK(L_416, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_417>>8)))))); int32_t L_418 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_417>>8))))); UInt32U5BU5D_t2133601851* L_419 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_420 = V_4; NullCheck(L_419); IL2CPP_ARRAY_BOUNDS_CHECK(L_419, (((int32_t)((uint8_t)L_420)))); int32_t L_421 = (((int32_t)((uint8_t)L_420))); UInt32U5BU5D_t2133601851* L_422 = ___ekey; NullCheck(L_422); IL2CPP_ARRAY_BOUNDS_CHECK(L_422, ((int32_t)31)); int32_t L_423 = ((int32_t)31); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_410)->GetAt(static_cast<il2cpp_array_size_t>(L_412)))^(int32_t)((L_413)->GetAt(static_cast<il2cpp_array_size_t>(L_415)))))^(int32_t)((L_416)->GetAt(static_cast<il2cpp_array_size_t>(L_418)))))^(int32_t)((L_419)->GetAt(static_cast<il2cpp_array_size_t>(L_421)))))^(int32_t)((L_422)->GetAt(static_cast<il2cpp_array_size_t>(L_423))))); UInt32U5BU5D_t2133601851* L_424 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_425 = V_2; NullCheck(L_424); IL2CPP_ARRAY_BOUNDS_CHECK(L_424, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_425>>((int32_t)24)))))); uintptr_t L_426 = (((uintptr_t)((int32_t)((uint32_t)L_425>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_427 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_428 = V_3; NullCheck(L_427); IL2CPP_ARRAY_BOUNDS_CHECK(L_427, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_428>>((int32_t)16))))))); int32_t L_429 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_428>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_430 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_431 = V_4; NullCheck(L_430); IL2CPP_ARRAY_BOUNDS_CHECK(L_430, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_431>>8)))))); int32_t L_432 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_431>>8))))); UInt32U5BU5D_t2133601851* L_433 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_434 = V_5; NullCheck(L_433); IL2CPP_ARRAY_BOUNDS_CHECK(L_433, (((int32_t)((uint8_t)L_434)))); int32_t L_435 = (((int32_t)((uint8_t)L_434))); UInt32U5BU5D_t2133601851* L_436 = ___ekey; NullCheck(L_436); IL2CPP_ARRAY_BOUNDS_CHECK(L_436, ((int32_t)32)); int32_t L_437 = ((int32_t)32); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_424)->GetAt(static_cast<il2cpp_array_size_t>(L_426)))^(int32_t)((L_427)->GetAt(static_cast<il2cpp_array_size_t>(L_429)))))^(int32_t)((L_430)->GetAt(static_cast<il2cpp_array_size_t>(L_432)))))^(int32_t)((L_433)->GetAt(static_cast<il2cpp_array_size_t>(L_435)))))^(int32_t)((L_436)->GetAt(static_cast<il2cpp_array_size_t>(L_437))))); UInt32U5BU5D_t2133601851* L_438 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_439 = V_3; NullCheck(L_438); IL2CPP_ARRAY_BOUNDS_CHECK(L_438, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_439>>((int32_t)24)))))); uintptr_t L_440 = (((uintptr_t)((int32_t)((uint32_t)L_439>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_441 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_442 = V_4; NullCheck(L_441); IL2CPP_ARRAY_BOUNDS_CHECK(L_441, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_442>>((int32_t)16))))))); int32_t L_443 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_442>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_444 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_445 = V_5; NullCheck(L_444); IL2CPP_ARRAY_BOUNDS_CHECK(L_444, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_445>>8)))))); int32_t L_446 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_445>>8))))); UInt32U5BU5D_t2133601851* L_447 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_448 = V_0; NullCheck(L_447); IL2CPP_ARRAY_BOUNDS_CHECK(L_447, (((int32_t)((uint8_t)L_448)))); int32_t L_449 = (((int32_t)((uint8_t)L_448))); UInt32U5BU5D_t2133601851* L_450 = ___ekey; NullCheck(L_450); IL2CPP_ARRAY_BOUNDS_CHECK(L_450, ((int32_t)33)); int32_t L_451 = ((int32_t)33); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_438)->GetAt(static_cast<il2cpp_array_size_t>(L_440)))^(int32_t)((L_441)->GetAt(static_cast<il2cpp_array_size_t>(L_443)))))^(int32_t)((L_444)->GetAt(static_cast<il2cpp_array_size_t>(L_446)))))^(int32_t)((L_447)->GetAt(static_cast<il2cpp_array_size_t>(L_449)))))^(int32_t)((L_450)->GetAt(static_cast<il2cpp_array_size_t>(L_451))))); UInt32U5BU5D_t2133601851* L_452 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_453 = V_4; NullCheck(L_452); IL2CPP_ARRAY_BOUNDS_CHECK(L_452, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_453>>((int32_t)24)))))); uintptr_t L_454 = (((uintptr_t)((int32_t)((uint32_t)L_453>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_455 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_456 = V_5; NullCheck(L_455); IL2CPP_ARRAY_BOUNDS_CHECK(L_455, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_456>>((int32_t)16))))))); int32_t L_457 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_456>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_458 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_459 = V_0; NullCheck(L_458); IL2CPP_ARRAY_BOUNDS_CHECK(L_458, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_459>>8)))))); int32_t L_460 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_459>>8))))); UInt32U5BU5D_t2133601851* L_461 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_462 = V_1; NullCheck(L_461); IL2CPP_ARRAY_BOUNDS_CHECK(L_461, (((int32_t)((uint8_t)L_462)))); int32_t L_463 = (((int32_t)((uint8_t)L_462))); UInt32U5BU5D_t2133601851* L_464 = ___ekey; NullCheck(L_464); IL2CPP_ARRAY_BOUNDS_CHECK(L_464, ((int32_t)34)); int32_t L_465 = ((int32_t)34); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_452)->GetAt(static_cast<il2cpp_array_size_t>(L_454)))^(int32_t)((L_455)->GetAt(static_cast<il2cpp_array_size_t>(L_457)))))^(int32_t)((L_458)->GetAt(static_cast<il2cpp_array_size_t>(L_460)))))^(int32_t)((L_461)->GetAt(static_cast<il2cpp_array_size_t>(L_463)))))^(int32_t)((L_464)->GetAt(static_cast<il2cpp_array_size_t>(L_465))))); UInt32U5BU5D_t2133601851* L_466 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_467 = V_5; NullCheck(L_466); IL2CPP_ARRAY_BOUNDS_CHECK(L_466, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_467>>((int32_t)24)))))); uintptr_t L_468 = (((uintptr_t)((int32_t)((uint32_t)L_467>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_469 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_470 = V_0; NullCheck(L_469); IL2CPP_ARRAY_BOUNDS_CHECK(L_469, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_470>>((int32_t)16))))))); int32_t L_471 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_470>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_472 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_473 = V_1; NullCheck(L_472); IL2CPP_ARRAY_BOUNDS_CHECK(L_472, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_473>>8)))))); int32_t L_474 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_473>>8))))); UInt32U5BU5D_t2133601851* L_475 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_476 = V_2; NullCheck(L_475); IL2CPP_ARRAY_BOUNDS_CHECK(L_475, (((int32_t)((uint8_t)L_476)))); int32_t L_477 = (((int32_t)((uint8_t)L_476))); UInt32U5BU5D_t2133601851* L_478 = ___ekey; NullCheck(L_478); IL2CPP_ARRAY_BOUNDS_CHECK(L_478, ((int32_t)35)); int32_t L_479 = ((int32_t)35); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_466)->GetAt(static_cast<il2cpp_array_size_t>(L_468)))^(int32_t)((L_469)->GetAt(static_cast<il2cpp_array_size_t>(L_471)))))^(int32_t)((L_472)->GetAt(static_cast<il2cpp_array_size_t>(L_474)))))^(int32_t)((L_475)->GetAt(static_cast<il2cpp_array_size_t>(L_477)))))^(int32_t)((L_478)->GetAt(static_cast<il2cpp_array_size_t>(L_479))))); UInt32U5BU5D_t2133601851* L_480 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_481 = V_6; NullCheck(L_480); IL2CPP_ARRAY_BOUNDS_CHECK(L_480, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_481>>((int32_t)24)))))); uintptr_t L_482 = (((uintptr_t)((int32_t)((uint32_t)L_481>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_483 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_484 = V_7; NullCheck(L_483); IL2CPP_ARRAY_BOUNDS_CHECK(L_483, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_484>>((int32_t)16))))))); int32_t L_485 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_484>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_486 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_487 = V_8; NullCheck(L_486); IL2CPP_ARRAY_BOUNDS_CHECK(L_486, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_487>>8)))))); int32_t L_488 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_487>>8))))); UInt32U5BU5D_t2133601851* L_489 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_490 = V_9; NullCheck(L_489); IL2CPP_ARRAY_BOUNDS_CHECK(L_489, (((int32_t)((uint8_t)L_490)))); int32_t L_491 = (((int32_t)((uint8_t)L_490))); UInt32U5BU5D_t2133601851* L_492 = ___ekey; NullCheck(L_492); IL2CPP_ARRAY_BOUNDS_CHECK(L_492, ((int32_t)36)); int32_t L_493 = ((int32_t)36); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_480)->GetAt(static_cast<il2cpp_array_size_t>(L_482)))^(int32_t)((L_483)->GetAt(static_cast<il2cpp_array_size_t>(L_485)))))^(int32_t)((L_486)->GetAt(static_cast<il2cpp_array_size_t>(L_488)))))^(int32_t)((L_489)->GetAt(static_cast<il2cpp_array_size_t>(L_491)))))^(int32_t)((L_492)->GetAt(static_cast<il2cpp_array_size_t>(L_493))))); UInt32U5BU5D_t2133601851* L_494 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_495 = V_7; NullCheck(L_494); IL2CPP_ARRAY_BOUNDS_CHECK(L_494, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_495>>((int32_t)24)))))); uintptr_t L_496 = (((uintptr_t)((int32_t)((uint32_t)L_495>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_497 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_498 = V_8; NullCheck(L_497); IL2CPP_ARRAY_BOUNDS_CHECK(L_497, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_498>>((int32_t)16))))))); int32_t L_499 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_498>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_500 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_501 = V_9; NullCheck(L_500); IL2CPP_ARRAY_BOUNDS_CHECK(L_500, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_501>>8)))))); int32_t L_502 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_501>>8))))); UInt32U5BU5D_t2133601851* L_503 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_504 = V_10; NullCheck(L_503); IL2CPP_ARRAY_BOUNDS_CHECK(L_503, (((int32_t)((uint8_t)L_504)))); int32_t L_505 = (((int32_t)((uint8_t)L_504))); UInt32U5BU5D_t2133601851* L_506 = ___ekey; NullCheck(L_506); IL2CPP_ARRAY_BOUNDS_CHECK(L_506, ((int32_t)37)); int32_t L_507 = ((int32_t)37); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_494)->GetAt(static_cast<il2cpp_array_size_t>(L_496)))^(int32_t)((L_497)->GetAt(static_cast<il2cpp_array_size_t>(L_499)))))^(int32_t)((L_500)->GetAt(static_cast<il2cpp_array_size_t>(L_502)))))^(int32_t)((L_503)->GetAt(static_cast<il2cpp_array_size_t>(L_505)))))^(int32_t)((L_506)->GetAt(static_cast<il2cpp_array_size_t>(L_507))))); UInt32U5BU5D_t2133601851* L_508 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_509 = V_8; NullCheck(L_508); IL2CPP_ARRAY_BOUNDS_CHECK(L_508, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_509>>((int32_t)24)))))); uintptr_t L_510 = (((uintptr_t)((int32_t)((uint32_t)L_509>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_511 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_512 = V_9; NullCheck(L_511); IL2CPP_ARRAY_BOUNDS_CHECK(L_511, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_512>>((int32_t)16))))))); int32_t L_513 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_512>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_514 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_515 = V_10; NullCheck(L_514); IL2CPP_ARRAY_BOUNDS_CHECK(L_514, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_515>>8)))))); int32_t L_516 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_515>>8))))); UInt32U5BU5D_t2133601851* L_517 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_518 = V_11; NullCheck(L_517); IL2CPP_ARRAY_BOUNDS_CHECK(L_517, (((int32_t)((uint8_t)L_518)))); int32_t L_519 = (((int32_t)((uint8_t)L_518))); UInt32U5BU5D_t2133601851* L_520 = ___ekey; NullCheck(L_520); IL2CPP_ARRAY_BOUNDS_CHECK(L_520, ((int32_t)38)); int32_t L_521 = ((int32_t)38); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_508)->GetAt(static_cast<il2cpp_array_size_t>(L_510)))^(int32_t)((L_511)->GetAt(static_cast<il2cpp_array_size_t>(L_513)))))^(int32_t)((L_514)->GetAt(static_cast<il2cpp_array_size_t>(L_516)))))^(int32_t)((L_517)->GetAt(static_cast<il2cpp_array_size_t>(L_519)))))^(int32_t)((L_520)->GetAt(static_cast<il2cpp_array_size_t>(L_521))))); UInt32U5BU5D_t2133601851* L_522 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_523 = V_9; NullCheck(L_522); IL2CPP_ARRAY_BOUNDS_CHECK(L_522, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_523>>((int32_t)24)))))); uintptr_t L_524 = (((uintptr_t)((int32_t)((uint32_t)L_523>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_525 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_526 = V_10; NullCheck(L_525); IL2CPP_ARRAY_BOUNDS_CHECK(L_525, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_526>>((int32_t)16))))))); int32_t L_527 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_526>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_528 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_529 = V_11; NullCheck(L_528); IL2CPP_ARRAY_BOUNDS_CHECK(L_528, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_529>>8)))))); int32_t L_530 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_529>>8))))); UInt32U5BU5D_t2133601851* L_531 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_532 = V_6; NullCheck(L_531); IL2CPP_ARRAY_BOUNDS_CHECK(L_531, (((int32_t)((uint8_t)L_532)))); int32_t L_533 = (((int32_t)((uint8_t)L_532))); UInt32U5BU5D_t2133601851* L_534 = ___ekey; NullCheck(L_534); IL2CPP_ARRAY_BOUNDS_CHECK(L_534, ((int32_t)39)); int32_t L_535 = ((int32_t)39); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_522)->GetAt(static_cast<il2cpp_array_size_t>(L_524)))^(int32_t)((L_525)->GetAt(static_cast<il2cpp_array_size_t>(L_527)))))^(int32_t)((L_528)->GetAt(static_cast<il2cpp_array_size_t>(L_530)))))^(int32_t)((L_531)->GetAt(static_cast<il2cpp_array_size_t>(L_533)))))^(int32_t)((L_534)->GetAt(static_cast<il2cpp_array_size_t>(L_535))))); UInt32U5BU5D_t2133601851* L_536 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_537 = V_10; NullCheck(L_536); IL2CPP_ARRAY_BOUNDS_CHECK(L_536, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_537>>((int32_t)24)))))); uintptr_t L_538 = (((uintptr_t)((int32_t)((uint32_t)L_537>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_539 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_540 = V_11; NullCheck(L_539); IL2CPP_ARRAY_BOUNDS_CHECK(L_539, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_540>>((int32_t)16))))))); int32_t L_541 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_540>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_542 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_543 = V_6; NullCheck(L_542); IL2CPP_ARRAY_BOUNDS_CHECK(L_542, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_543>>8)))))); int32_t L_544 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_543>>8))))); UInt32U5BU5D_t2133601851* L_545 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_546 = V_7; NullCheck(L_545); IL2CPP_ARRAY_BOUNDS_CHECK(L_545, (((int32_t)((uint8_t)L_546)))); int32_t L_547 = (((int32_t)((uint8_t)L_546))); UInt32U5BU5D_t2133601851* L_548 = ___ekey; NullCheck(L_548); IL2CPP_ARRAY_BOUNDS_CHECK(L_548, ((int32_t)40)); int32_t L_549 = ((int32_t)40); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_536)->GetAt(static_cast<il2cpp_array_size_t>(L_538)))^(int32_t)((L_539)->GetAt(static_cast<il2cpp_array_size_t>(L_541)))))^(int32_t)((L_542)->GetAt(static_cast<il2cpp_array_size_t>(L_544)))))^(int32_t)((L_545)->GetAt(static_cast<il2cpp_array_size_t>(L_547)))))^(int32_t)((L_548)->GetAt(static_cast<il2cpp_array_size_t>(L_549))))); UInt32U5BU5D_t2133601851* L_550 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_551 = V_11; NullCheck(L_550); IL2CPP_ARRAY_BOUNDS_CHECK(L_550, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_551>>((int32_t)24)))))); uintptr_t L_552 = (((uintptr_t)((int32_t)((uint32_t)L_551>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_553 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_554 = V_6; NullCheck(L_553); IL2CPP_ARRAY_BOUNDS_CHECK(L_553, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_554>>((int32_t)16))))))); int32_t L_555 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_554>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_556 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_557 = V_7; NullCheck(L_556); IL2CPP_ARRAY_BOUNDS_CHECK(L_556, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_557>>8)))))); int32_t L_558 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_557>>8))))); UInt32U5BU5D_t2133601851* L_559 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_560 = V_8; NullCheck(L_559); IL2CPP_ARRAY_BOUNDS_CHECK(L_559, (((int32_t)((uint8_t)L_560)))); int32_t L_561 = (((int32_t)((uint8_t)L_560))); UInt32U5BU5D_t2133601851* L_562 = ___ekey; NullCheck(L_562); IL2CPP_ARRAY_BOUNDS_CHECK(L_562, ((int32_t)41)); int32_t L_563 = ((int32_t)41); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_550)->GetAt(static_cast<il2cpp_array_size_t>(L_552)))^(int32_t)((L_553)->GetAt(static_cast<il2cpp_array_size_t>(L_555)))))^(int32_t)((L_556)->GetAt(static_cast<il2cpp_array_size_t>(L_558)))))^(int32_t)((L_559)->GetAt(static_cast<il2cpp_array_size_t>(L_561)))))^(int32_t)((L_562)->GetAt(static_cast<il2cpp_array_size_t>(L_563))))); UInt32U5BU5D_t2133601851* L_564 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_565 = V_0; NullCheck(L_564); IL2CPP_ARRAY_BOUNDS_CHECK(L_564, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_565>>((int32_t)24)))))); uintptr_t L_566 = (((uintptr_t)((int32_t)((uint32_t)L_565>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_567 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_568 = V_1; NullCheck(L_567); IL2CPP_ARRAY_BOUNDS_CHECK(L_567, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_568>>((int32_t)16))))))); int32_t L_569 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_568>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_570 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_571 = V_2; NullCheck(L_570); IL2CPP_ARRAY_BOUNDS_CHECK(L_570, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_571>>8)))))); int32_t L_572 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_571>>8))))); UInt32U5BU5D_t2133601851* L_573 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_574 = V_3; NullCheck(L_573); IL2CPP_ARRAY_BOUNDS_CHECK(L_573, (((int32_t)((uint8_t)L_574)))); int32_t L_575 = (((int32_t)((uint8_t)L_574))); UInt32U5BU5D_t2133601851* L_576 = ___ekey; NullCheck(L_576); IL2CPP_ARRAY_BOUNDS_CHECK(L_576, ((int32_t)42)); int32_t L_577 = ((int32_t)42); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_564)->GetAt(static_cast<il2cpp_array_size_t>(L_566)))^(int32_t)((L_567)->GetAt(static_cast<il2cpp_array_size_t>(L_569)))))^(int32_t)((L_570)->GetAt(static_cast<il2cpp_array_size_t>(L_572)))))^(int32_t)((L_573)->GetAt(static_cast<il2cpp_array_size_t>(L_575)))))^(int32_t)((L_576)->GetAt(static_cast<il2cpp_array_size_t>(L_577))))); UInt32U5BU5D_t2133601851* L_578 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_579 = V_1; NullCheck(L_578); IL2CPP_ARRAY_BOUNDS_CHECK(L_578, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_579>>((int32_t)24)))))); uintptr_t L_580 = (((uintptr_t)((int32_t)((uint32_t)L_579>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_581 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_582 = V_2; NullCheck(L_581); IL2CPP_ARRAY_BOUNDS_CHECK(L_581, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_582>>((int32_t)16))))))); int32_t L_583 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_582>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_584 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_585 = V_3; NullCheck(L_584); IL2CPP_ARRAY_BOUNDS_CHECK(L_584, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_585>>8)))))); int32_t L_586 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_585>>8))))); UInt32U5BU5D_t2133601851* L_587 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_588 = V_4; NullCheck(L_587); IL2CPP_ARRAY_BOUNDS_CHECK(L_587, (((int32_t)((uint8_t)L_588)))); int32_t L_589 = (((int32_t)((uint8_t)L_588))); UInt32U5BU5D_t2133601851* L_590 = ___ekey; NullCheck(L_590); IL2CPP_ARRAY_BOUNDS_CHECK(L_590, ((int32_t)43)); int32_t L_591 = ((int32_t)43); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_578)->GetAt(static_cast<il2cpp_array_size_t>(L_580)))^(int32_t)((L_581)->GetAt(static_cast<il2cpp_array_size_t>(L_583)))))^(int32_t)((L_584)->GetAt(static_cast<il2cpp_array_size_t>(L_586)))))^(int32_t)((L_587)->GetAt(static_cast<il2cpp_array_size_t>(L_589)))))^(int32_t)((L_590)->GetAt(static_cast<il2cpp_array_size_t>(L_591))))); UInt32U5BU5D_t2133601851* L_592 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_593 = V_2; NullCheck(L_592); IL2CPP_ARRAY_BOUNDS_CHECK(L_592, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_593>>((int32_t)24)))))); uintptr_t L_594 = (((uintptr_t)((int32_t)((uint32_t)L_593>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_595 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_596 = V_3; NullCheck(L_595); IL2CPP_ARRAY_BOUNDS_CHECK(L_595, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_596>>((int32_t)16))))))); int32_t L_597 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_596>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_598 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_599 = V_4; NullCheck(L_598); IL2CPP_ARRAY_BOUNDS_CHECK(L_598, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_599>>8)))))); int32_t L_600 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_599>>8))))); UInt32U5BU5D_t2133601851* L_601 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_602 = V_5; NullCheck(L_601); IL2CPP_ARRAY_BOUNDS_CHECK(L_601, (((int32_t)((uint8_t)L_602)))); int32_t L_603 = (((int32_t)((uint8_t)L_602))); UInt32U5BU5D_t2133601851* L_604 = ___ekey; NullCheck(L_604); IL2CPP_ARRAY_BOUNDS_CHECK(L_604, ((int32_t)44)); int32_t L_605 = ((int32_t)44); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_592)->GetAt(static_cast<il2cpp_array_size_t>(L_594)))^(int32_t)((L_595)->GetAt(static_cast<il2cpp_array_size_t>(L_597)))))^(int32_t)((L_598)->GetAt(static_cast<il2cpp_array_size_t>(L_600)))))^(int32_t)((L_601)->GetAt(static_cast<il2cpp_array_size_t>(L_603)))))^(int32_t)((L_604)->GetAt(static_cast<il2cpp_array_size_t>(L_605))))); UInt32U5BU5D_t2133601851* L_606 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_607 = V_3; NullCheck(L_606); IL2CPP_ARRAY_BOUNDS_CHECK(L_606, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_607>>((int32_t)24)))))); uintptr_t L_608 = (((uintptr_t)((int32_t)((uint32_t)L_607>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_609 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_610 = V_4; NullCheck(L_609); IL2CPP_ARRAY_BOUNDS_CHECK(L_609, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_610>>((int32_t)16))))))); int32_t L_611 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_610>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_612 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_613 = V_5; NullCheck(L_612); IL2CPP_ARRAY_BOUNDS_CHECK(L_612, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_613>>8)))))); int32_t L_614 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_613>>8))))); UInt32U5BU5D_t2133601851* L_615 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_616 = V_0; NullCheck(L_615); IL2CPP_ARRAY_BOUNDS_CHECK(L_615, (((int32_t)((uint8_t)L_616)))); int32_t L_617 = (((int32_t)((uint8_t)L_616))); UInt32U5BU5D_t2133601851* L_618 = ___ekey; NullCheck(L_618); IL2CPP_ARRAY_BOUNDS_CHECK(L_618, ((int32_t)45)); int32_t L_619 = ((int32_t)45); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_606)->GetAt(static_cast<il2cpp_array_size_t>(L_608)))^(int32_t)((L_609)->GetAt(static_cast<il2cpp_array_size_t>(L_611)))))^(int32_t)((L_612)->GetAt(static_cast<il2cpp_array_size_t>(L_614)))))^(int32_t)((L_615)->GetAt(static_cast<il2cpp_array_size_t>(L_617)))))^(int32_t)((L_618)->GetAt(static_cast<il2cpp_array_size_t>(L_619))))); UInt32U5BU5D_t2133601851* L_620 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_621 = V_4; NullCheck(L_620); IL2CPP_ARRAY_BOUNDS_CHECK(L_620, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_621>>((int32_t)24)))))); uintptr_t L_622 = (((uintptr_t)((int32_t)((uint32_t)L_621>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_623 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_624 = V_5; NullCheck(L_623); IL2CPP_ARRAY_BOUNDS_CHECK(L_623, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_624>>((int32_t)16))))))); int32_t L_625 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_624>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_626 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_627 = V_0; NullCheck(L_626); IL2CPP_ARRAY_BOUNDS_CHECK(L_626, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_627>>8)))))); int32_t L_628 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_627>>8))))); UInt32U5BU5D_t2133601851* L_629 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_630 = V_1; NullCheck(L_629); IL2CPP_ARRAY_BOUNDS_CHECK(L_629, (((int32_t)((uint8_t)L_630)))); int32_t L_631 = (((int32_t)((uint8_t)L_630))); UInt32U5BU5D_t2133601851* L_632 = ___ekey; NullCheck(L_632); IL2CPP_ARRAY_BOUNDS_CHECK(L_632, ((int32_t)46)); int32_t L_633 = ((int32_t)46); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_620)->GetAt(static_cast<il2cpp_array_size_t>(L_622)))^(int32_t)((L_623)->GetAt(static_cast<il2cpp_array_size_t>(L_625)))))^(int32_t)((L_626)->GetAt(static_cast<il2cpp_array_size_t>(L_628)))))^(int32_t)((L_629)->GetAt(static_cast<il2cpp_array_size_t>(L_631)))))^(int32_t)((L_632)->GetAt(static_cast<il2cpp_array_size_t>(L_633))))); UInt32U5BU5D_t2133601851* L_634 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_635 = V_5; NullCheck(L_634); IL2CPP_ARRAY_BOUNDS_CHECK(L_634, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_635>>((int32_t)24)))))); uintptr_t L_636 = (((uintptr_t)((int32_t)((uint32_t)L_635>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_637 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_638 = V_0; NullCheck(L_637); IL2CPP_ARRAY_BOUNDS_CHECK(L_637, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_638>>((int32_t)16))))))); int32_t L_639 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_638>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_640 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_641 = V_1; NullCheck(L_640); IL2CPP_ARRAY_BOUNDS_CHECK(L_640, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_641>>8)))))); int32_t L_642 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_641>>8))))); UInt32U5BU5D_t2133601851* L_643 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_644 = V_2; NullCheck(L_643); IL2CPP_ARRAY_BOUNDS_CHECK(L_643, (((int32_t)((uint8_t)L_644)))); int32_t L_645 = (((int32_t)((uint8_t)L_644))); UInt32U5BU5D_t2133601851* L_646 = ___ekey; NullCheck(L_646); IL2CPP_ARRAY_BOUNDS_CHECK(L_646, ((int32_t)47)); int32_t L_647 = ((int32_t)47); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_634)->GetAt(static_cast<il2cpp_array_size_t>(L_636)))^(int32_t)((L_637)->GetAt(static_cast<il2cpp_array_size_t>(L_639)))))^(int32_t)((L_640)->GetAt(static_cast<il2cpp_array_size_t>(L_642)))))^(int32_t)((L_643)->GetAt(static_cast<il2cpp_array_size_t>(L_645)))))^(int32_t)((L_646)->GetAt(static_cast<il2cpp_array_size_t>(L_647))))); UInt32U5BU5D_t2133601851* L_648 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_649 = V_6; NullCheck(L_648); IL2CPP_ARRAY_BOUNDS_CHECK(L_648, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_649>>((int32_t)24)))))); uintptr_t L_650 = (((uintptr_t)((int32_t)((uint32_t)L_649>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_651 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_652 = V_7; NullCheck(L_651); IL2CPP_ARRAY_BOUNDS_CHECK(L_651, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_652>>((int32_t)16))))))); int32_t L_653 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_652>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_654 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_655 = V_8; NullCheck(L_654); IL2CPP_ARRAY_BOUNDS_CHECK(L_654, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_655>>8)))))); int32_t L_656 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_655>>8))))); UInt32U5BU5D_t2133601851* L_657 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_658 = V_9; NullCheck(L_657); IL2CPP_ARRAY_BOUNDS_CHECK(L_657, (((int32_t)((uint8_t)L_658)))); int32_t L_659 = (((int32_t)((uint8_t)L_658))); UInt32U5BU5D_t2133601851* L_660 = ___ekey; NullCheck(L_660); IL2CPP_ARRAY_BOUNDS_CHECK(L_660, ((int32_t)48)); int32_t L_661 = ((int32_t)48); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_648)->GetAt(static_cast<il2cpp_array_size_t>(L_650)))^(int32_t)((L_651)->GetAt(static_cast<il2cpp_array_size_t>(L_653)))))^(int32_t)((L_654)->GetAt(static_cast<il2cpp_array_size_t>(L_656)))))^(int32_t)((L_657)->GetAt(static_cast<il2cpp_array_size_t>(L_659)))))^(int32_t)((L_660)->GetAt(static_cast<il2cpp_array_size_t>(L_661))))); UInt32U5BU5D_t2133601851* L_662 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_663 = V_7; NullCheck(L_662); IL2CPP_ARRAY_BOUNDS_CHECK(L_662, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_663>>((int32_t)24)))))); uintptr_t L_664 = (((uintptr_t)((int32_t)((uint32_t)L_663>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_665 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_666 = V_8; NullCheck(L_665); IL2CPP_ARRAY_BOUNDS_CHECK(L_665, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_666>>((int32_t)16))))))); int32_t L_667 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_666>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_668 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_669 = V_9; NullCheck(L_668); IL2CPP_ARRAY_BOUNDS_CHECK(L_668, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_669>>8)))))); int32_t L_670 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_669>>8))))); UInt32U5BU5D_t2133601851* L_671 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_672 = V_10; NullCheck(L_671); IL2CPP_ARRAY_BOUNDS_CHECK(L_671, (((int32_t)((uint8_t)L_672)))); int32_t L_673 = (((int32_t)((uint8_t)L_672))); UInt32U5BU5D_t2133601851* L_674 = ___ekey; NullCheck(L_674); IL2CPP_ARRAY_BOUNDS_CHECK(L_674, ((int32_t)49)); int32_t L_675 = ((int32_t)49); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_662)->GetAt(static_cast<il2cpp_array_size_t>(L_664)))^(int32_t)((L_665)->GetAt(static_cast<il2cpp_array_size_t>(L_667)))))^(int32_t)((L_668)->GetAt(static_cast<il2cpp_array_size_t>(L_670)))))^(int32_t)((L_671)->GetAt(static_cast<il2cpp_array_size_t>(L_673)))))^(int32_t)((L_674)->GetAt(static_cast<il2cpp_array_size_t>(L_675))))); UInt32U5BU5D_t2133601851* L_676 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_677 = V_8; NullCheck(L_676); IL2CPP_ARRAY_BOUNDS_CHECK(L_676, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_677>>((int32_t)24)))))); uintptr_t L_678 = (((uintptr_t)((int32_t)((uint32_t)L_677>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_679 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_680 = V_9; NullCheck(L_679); IL2CPP_ARRAY_BOUNDS_CHECK(L_679, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_680>>((int32_t)16))))))); int32_t L_681 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_680>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_682 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_683 = V_10; NullCheck(L_682); IL2CPP_ARRAY_BOUNDS_CHECK(L_682, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_683>>8)))))); int32_t L_684 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_683>>8))))); UInt32U5BU5D_t2133601851* L_685 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_686 = V_11; NullCheck(L_685); IL2CPP_ARRAY_BOUNDS_CHECK(L_685, (((int32_t)((uint8_t)L_686)))); int32_t L_687 = (((int32_t)((uint8_t)L_686))); UInt32U5BU5D_t2133601851* L_688 = ___ekey; NullCheck(L_688); IL2CPP_ARRAY_BOUNDS_CHECK(L_688, ((int32_t)50)); int32_t L_689 = ((int32_t)50); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_676)->GetAt(static_cast<il2cpp_array_size_t>(L_678)))^(int32_t)((L_679)->GetAt(static_cast<il2cpp_array_size_t>(L_681)))))^(int32_t)((L_682)->GetAt(static_cast<il2cpp_array_size_t>(L_684)))))^(int32_t)((L_685)->GetAt(static_cast<il2cpp_array_size_t>(L_687)))))^(int32_t)((L_688)->GetAt(static_cast<il2cpp_array_size_t>(L_689))))); UInt32U5BU5D_t2133601851* L_690 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_691 = V_9; NullCheck(L_690); IL2CPP_ARRAY_BOUNDS_CHECK(L_690, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_691>>((int32_t)24)))))); uintptr_t L_692 = (((uintptr_t)((int32_t)((uint32_t)L_691>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_693 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_694 = V_10; NullCheck(L_693); IL2CPP_ARRAY_BOUNDS_CHECK(L_693, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_694>>((int32_t)16))))))); int32_t L_695 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_694>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_696 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_697 = V_11; NullCheck(L_696); IL2CPP_ARRAY_BOUNDS_CHECK(L_696, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_697>>8)))))); int32_t L_698 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_697>>8))))); UInt32U5BU5D_t2133601851* L_699 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_700 = V_6; NullCheck(L_699); IL2CPP_ARRAY_BOUNDS_CHECK(L_699, (((int32_t)((uint8_t)L_700)))); int32_t L_701 = (((int32_t)((uint8_t)L_700))); UInt32U5BU5D_t2133601851* L_702 = ___ekey; NullCheck(L_702); IL2CPP_ARRAY_BOUNDS_CHECK(L_702, ((int32_t)51)); int32_t L_703 = ((int32_t)51); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_690)->GetAt(static_cast<il2cpp_array_size_t>(L_692)))^(int32_t)((L_693)->GetAt(static_cast<il2cpp_array_size_t>(L_695)))))^(int32_t)((L_696)->GetAt(static_cast<il2cpp_array_size_t>(L_698)))))^(int32_t)((L_699)->GetAt(static_cast<il2cpp_array_size_t>(L_701)))))^(int32_t)((L_702)->GetAt(static_cast<il2cpp_array_size_t>(L_703))))); UInt32U5BU5D_t2133601851* L_704 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_705 = V_10; NullCheck(L_704); IL2CPP_ARRAY_BOUNDS_CHECK(L_704, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_705>>((int32_t)24)))))); uintptr_t L_706 = (((uintptr_t)((int32_t)((uint32_t)L_705>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_707 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_708 = V_11; NullCheck(L_707); IL2CPP_ARRAY_BOUNDS_CHECK(L_707, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_708>>((int32_t)16))))))); int32_t L_709 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_708>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_710 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_711 = V_6; NullCheck(L_710); IL2CPP_ARRAY_BOUNDS_CHECK(L_710, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_711>>8)))))); int32_t L_712 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_711>>8))))); UInt32U5BU5D_t2133601851* L_713 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_714 = V_7; NullCheck(L_713); IL2CPP_ARRAY_BOUNDS_CHECK(L_713, (((int32_t)((uint8_t)L_714)))); int32_t L_715 = (((int32_t)((uint8_t)L_714))); UInt32U5BU5D_t2133601851* L_716 = ___ekey; NullCheck(L_716); IL2CPP_ARRAY_BOUNDS_CHECK(L_716, ((int32_t)52)); int32_t L_717 = ((int32_t)52); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_704)->GetAt(static_cast<il2cpp_array_size_t>(L_706)))^(int32_t)((L_707)->GetAt(static_cast<il2cpp_array_size_t>(L_709)))))^(int32_t)((L_710)->GetAt(static_cast<il2cpp_array_size_t>(L_712)))))^(int32_t)((L_713)->GetAt(static_cast<il2cpp_array_size_t>(L_715)))))^(int32_t)((L_716)->GetAt(static_cast<il2cpp_array_size_t>(L_717))))); UInt32U5BU5D_t2133601851* L_718 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_719 = V_11; NullCheck(L_718); IL2CPP_ARRAY_BOUNDS_CHECK(L_718, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_719>>((int32_t)24)))))); uintptr_t L_720 = (((uintptr_t)((int32_t)((uint32_t)L_719>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_721 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_722 = V_6; NullCheck(L_721); IL2CPP_ARRAY_BOUNDS_CHECK(L_721, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_722>>((int32_t)16))))))); int32_t L_723 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_722>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_724 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_725 = V_7; NullCheck(L_724); IL2CPP_ARRAY_BOUNDS_CHECK(L_724, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_725>>8)))))); int32_t L_726 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_725>>8))))); UInt32U5BU5D_t2133601851* L_727 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_728 = V_8; NullCheck(L_727); IL2CPP_ARRAY_BOUNDS_CHECK(L_727, (((int32_t)((uint8_t)L_728)))); int32_t L_729 = (((int32_t)((uint8_t)L_728))); UInt32U5BU5D_t2133601851* L_730 = ___ekey; NullCheck(L_730); IL2CPP_ARRAY_BOUNDS_CHECK(L_730, ((int32_t)53)); int32_t L_731 = ((int32_t)53); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_718)->GetAt(static_cast<il2cpp_array_size_t>(L_720)))^(int32_t)((L_721)->GetAt(static_cast<il2cpp_array_size_t>(L_723)))))^(int32_t)((L_724)->GetAt(static_cast<il2cpp_array_size_t>(L_726)))))^(int32_t)((L_727)->GetAt(static_cast<il2cpp_array_size_t>(L_729)))))^(int32_t)((L_730)->GetAt(static_cast<il2cpp_array_size_t>(L_731))))); UInt32U5BU5D_t2133601851* L_732 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_733 = V_0; NullCheck(L_732); IL2CPP_ARRAY_BOUNDS_CHECK(L_732, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_733>>((int32_t)24)))))); uintptr_t L_734 = (((uintptr_t)((int32_t)((uint32_t)L_733>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_735 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_736 = V_1; NullCheck(L_735); IL2CPP_ARRAY_BOUNDS_CHECK(L_735, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_736>>((int32_t)16))))))); int32_t L_737 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_736>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_738 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_739 = V_2; NullCheck(L_738); IL2CPP_ARRAY_BOUNDS_CHECK(L_738, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_739>>8)))))); int32_t L_740 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_739>>8))))); UInt32U5BU5D_t2133601851* L_741 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_742 = V_3; NullCheck(L_741); IL2CPP_ARRAY_BOUNDS_CHECK(L_741, (((int32_t)((uint8_t)L_742)))); int32_t L_743 = (((int32_t)((uint8_t)L_742))); UInt32U5BU5D_t2133601851* L_744 = ___ekey; NullCheck(L_744); IL2CPP_ARRAY_BOUNDS_CHECK(L_744, ((int32_t)54)); int32_t L_745 = ((int32_t)54); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_732)->GetAt(static_cast<il2cpp_array_size_t>(L_734)))^(int32_t)((L_735)->GetAt(static_cast<il2cpp_array_size_t>(L_737)))))^(int32_t)((L_738)->GetAt(static_cast<il2cpp_array_size_t>(L_740)))))^(int32_t)((L_741)->GetAt(static_cast<il2cpp_array_size_t>(L_743)))))^(int32_t)((L_744)->GetAt(static_cast<il2cpp_array_size_t>(L_745))))); UInt32U5BU5D_t2133601851* L_746 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_747 = V_1; NullCheck(L_746); IL2CPP_ARRAY_BOUNDS_CHECK(L_746, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_747>>((int32_t)24)))))); uintptr_t L_748 = (((uintptr_t)((int32_t)((uint32_t)L_747>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_749 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_750 = V_2; NullCheck(L_749); IL2CPP_ARRAY_BOUNDS_CHECK(L_749, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_750>>((int32_t)16))))))); int32_t L_751 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_750>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_752 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_753 = V_3; NullCheck(L_752); IL2CPP_ARRAY_BOUNDS_CHECK(L_752, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_753>>8)))))); int32_t L_754 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_753>>8))))); UInt32U5BU5D_t2133601851* L_755 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_756 = V_4; NullCheck(L_755); IL2CPP_ARRAY_BOUNDS_CHECK(L_755, (((int32_t)((uint8_t)L_756)))); int32_t L_757 = (((int32_t)((uint8_t)L_756))); UInt32U5BU5D_t2133601851* L_758 = ___ekey; NullCheck(L_758); IL2CPP_ARRAY_BOUNDS_CHECK(L_758, ((int32_t)55)); int32_t L_759 = ((int32_t)55); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_746)->GetAt(static_cast<il2cpp_array_size_t>(L_748)))^(int32_t)((L_749)->GetAt(static_cast<il2cpp_array_size_t>(L_751)))))^(int32_t)((L_752)->GetAt(static_cast<il2cpp_array_size_t>(L_754)))))^(int32_t)((L_755)->GetAt(static_cast<il2cpp_array_size_t>(L_757)))))^(int32_t)((L_758)->GetAt(static_cast<il2cpp_array_size_t>(L_759))))); UInt32U5BU5D_t2133601851* L_760 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_761 = V_2; NullCheck(L_760); IL2CPP_ARRAY_BOUNDS_CHECK(L_760, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_761>>((int32_t)24)))))); uintptr_t L_762 = (((uintptr_t)((int32_t)((uint32_t)L_761>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_763 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_764 = V_3; NullCheck(L_763); IL2CPP_ARRAY_BOUNDS_CHECK(L_763, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_764>>((int32_t)16))))))); int32_t L_765 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_764>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_766 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_767 = V_4; NullCheck(L_766); IL2CPP_ARRAY_BOUNDS_CHECK(L_766, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_767>>8)))))); int32_t L_768 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_767>>8))))); UInt32U5BU5D_t2133601851* L_769 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_770 = V_5; NullCheck(L_769); IL2CPP_ARRAY_BOUNDS_CHECK(L_769, (((int32_t)((uint8_t)L_770)))); int32_t L_771 = (((int32_t)((uint8_t)L_770))); UInt32U5BU5D_t2133601851* L_772 = ___ekey; NullCheck(L_772); IL2CPP_ARRAY_BOUNDS_CHECK(L_772, ((int32_t)56)); int32_t L_773 = ((int32_t)56); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_760)->GetAt(static_cast<il2cpp_array_size_t>(L_762)))^(int32_t)((L_763)->GetAt(static_cast<il2cpp_array_size_t>(L_765)))))^(int32_t)((L_766)->GetAt(static_cast<il2cpp_array_size_t>(L_768)))))^(int32_t)((L_769)->GetAt(static_cast<il2cpp_array_size_t>(L_771)))))^(int32_t)((L_772)->GetAt(static_cast<il2cpp_array_size_t>(L_773))))); UInt32U5BU5D_t2133601851* L_774 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_775 = V_3; NullCheck(L_774); IL2CPP_ARRAY_BOUNDS_CHECK(L_774, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_775>>((int32_t)24)))))); uintptr_t L_776 = (((uintptr_t)((int32_t)((uint32_t)L_775>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_777 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_778 = V_4; NullCheck(L_777); IL2CPP_ARRAY_BOUNDS_CHECK(L_777, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_778>>((int32_t)16))))))); int32_t L_779 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_778>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_780 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_781 = V_5; NullCheck(L_780); IL2CPP_ARRAY_BOUNDS_CHECK(L_780, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_781>>8)))))); int32_t L_782 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_781>>8))))); UInt32U5BU5D_t2133601851* L_783 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_784 = V_0; NullCheck(L_783); IL2CPP_ARRAY_BOUNDS_CHECK(L_783, (((int32_t)((uint8_t)L_784)))); int32_t L_785 = (((int32_t)((uint8_t)L_784))); UInt32U5BU5D_t2133601851* L_786 = ___ekey; NullCheck(L_786); IL2CPP_ARRAY_BOUNDS_CHECK(L_786, ((int32_t)57)); int32_t L_787 = ((int32_t)57); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_774)->GetAt(static_cast<il2cpp_array_size_t>(L_776)))^(int32_t)((L_777)->GetAt(static_cast<il2cpp_array_size_t>(L_779)))))^(int32_t)((L_780)->GetAt(static_cast<il2cpp_array_size_t>(L_782)))))^(int32_t)((L_783)->GetAt(static_cast<il2cpp_array_size_t>(L_785)))))^(int32_t)((L_786)->GetAt(static_cast<il2cpp_array_size_t>(L_787))))); UInt32U5BU5D_t2133601851* L_788 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_789 = V_4; NullCheck(L_788); IL2CPP_ARRAY_BOUNDS_CHECK(L_788, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_789>>((int32_t)24)))))); uintptr_t L_790 = (((uintptr_t)((int32_t)((uint32_t)L_789>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_791 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_792 = V_5; NullCheck(L_791); IL2CPP_ARRAY_BOUNDS_CHECK(L_791, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_792>>((int32_t)16))))))); int32_t L_793 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_792>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_794 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_795 = V_0; NullCheck(L_794); IL2CPP_ARRAY_BOUNDS_CHECK(L_794, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_795>>8)))))); int32_t L_796 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_795>>8))))); UInt32U5BU5D_t2133601851* L_797 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_798 = V_1; NullCheck(L_797); IL2CPP_ARRAY_BOUNDS_CHECK(L_797, (((int32_t)((uint8_t)L_798)))); int32_t L_799 = (((int32_t)((uint8_t)L_798))); UInt32U5BU5D_t2133601851* L_800 = ___ekey; NullCheck(L_800); IL2CPP_ARRAY_BOUNDS_CHECK(L_800, ((int32_t)58)); int32_t L_801 = ((int32_t)58); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_788)->GetAt(static_cast<il2cpp_array_size_t>(L_790)))^(int32_t)((L_791)->GetAt(static_cast<il2cpp_array_size_t>(L_793)))))^(int32_t)((L_794)->GetAt(static_cast<il2cpp_array_size_t>(L_796)))))^(int32_t)((L_797)->GetAt(static_cast<il2cpp_array_size_t>(L_799)))))^(int32_t)((L_800)->GetAt(static_cast<il2cpp_array_size_t>(L_801))))); UInt32U5BU5D_t2133601851* L_802 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_803 = V_5; NullCheck(L_802); IL2CPP_ARRAY_BOUNDS_CHECK(L_802, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_803>>((int32_t)24)))))); uintptr_t L_804 = (((uintptr_t)((int32_t)((uint32_t)L_803>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_805 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_806 = V_0; NullCheck(L_805); IL2CPP_ARRAY_BOUNDS_CHECK(L_805, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_806>>((int32_t)16))))))); int32_t L_807 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_806>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_808 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_809 = V_1; NullCheck(L_808); IL2CPP_ARRAY_BOUNDS_CHECK(L_808, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_809>>8)))))); int32_t L_810 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_809>>8))))); UInt32U5BU5D_t2133601851* L_811 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_812 = V_2; NullCheck(L_811); IL2CPP_ARRAY_BOUNDS_CHECK(L_811, (((int32_t)((uint8_t)L_812)))); int32_t L_813 = (((int32_t)((uint8_t)L_812))); UInt32U5BU5D_t2133601851* L_814 = ___ekey; NullCheck(L_814); IL2CPP_ARRAY_BOUNDS_CHECK(L_814, ((int32_t)59)); int32_t L_815 = ((int32_t)59); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_802)->GetAt(static_cast<il2cpp_array_size_t>(L_804)))^(int32_t)((L_805)->GetAt(static_cast<il2cpp_array_size_t>(L_807)))))^(int32_t)((L_808)->GetAt(static_cast<il2cpp_array_size_t>(L_810)))))^(int32_t)((L_811)->GetAt(static_cast<il2cpp_array_size_t>(L_813)))))^(int32_t)((L_814)->GetAt(static_cast<il2cpp_array_size_t>(L_815))))); UInt32U5BU5D_t2133601851* L_816 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_817 = V_6; NullCheck(L_816); IL2CPP_ARRAY_BOUNDS_CHECK(L_816, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_817>>((int32_t)24)))))); uintptr_t L_818 = (((uintptr_t)((int32_t)((uint32_t)L_817>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_819 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_820 = V_7; NullCheck(L_819); IL2CPP_ARRAY_BOUNDS_CHECK(L_819, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_820>>((int32_t)16))))))); int32_t L_821 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_820>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_822 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_823 = V_8; NullCheck(L_822); IL2CPP_ARRAY_BOUNDS_CHECK(L_822, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_823>>8)))))); int32_t L_824 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_823>>8))))); UInt32U5BU5D_t2133601851* L_825 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_826 = V_9; NullCheck(L_825); IL2CPP_ARRAY_BOUNDS_CHECK(L_825, (((int32_t)((uint8_t)L_826)))); int32_t L_827 = (((int32_t)((uint8_t)L_826))); UInt32U5BU5D_t2133601851* L_828 = ___ekey; NullCheck(L_828); IL2CPP_ARRAY_BOUNDS_CHECK(L_828, ((int32_t)60)); int32_t L_829 = ((int32_t)60); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_816)->GetAt(static_cast<il2cpp_array_size_t>(L_818)))^(int32_t)((L_819)->GetAt(static_cast<il2cpp_array_size_t>(L_821)))))^(int32_t)((L_822)->GetAt(static_cast<il2cpp_array_size_t>(L_824)))))^(int32_t)((L_825)->GetAt(static_cast<il2cpp_array_size_t>(L_827)))))^(int32_t)((L_828)->GetAt(static_cast<il2cpp_array_size_t>(L_829))))); UInt32U5BU5D_t2133601851* L_830 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_831 = V_7; NullCheck(L_830); IL2CPP_ARRAY_BOUNDS_CHECK(L_830, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_831>>((int32_t)24)))))); uintptr_t L_832 = (((uintptr_t)((int32_t)((uint32_t)L_831>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_833 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_834 = V_8; NullCheck(L_833); IL2CPP_ARRAY_BOUNDS_CHECK(L_833, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_834>>((int32_t)16))))))); int32_t L_835 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_834>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_836 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_837 = V_9; NullCheck(L_836); IL2CPP_ARRAY_BOUNDS_CHECK(L_836, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_837>>8)))))); int32_t L_838 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_837>>8))))); UInt32U5BU5D_t2133601851* L_839 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_840 = V_10; NullCheck(L_839); IL2CPP_ARRAY_BOUNDS_CHECK(L_839, (((int32_t)((uint8_t)L_840)))); int32_t L_841 = (((int32_t)((uint8_t)L_840))); UInt32U5BU5D_t2133601851* L_842 = ___ekey; NullCheck(L_842); IL2CPP_ARRAY_BOUNDS_CHECK(L_842, ((int32_t)61)); int32_t L_843 = ((int32_t)61); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_830)->GetAt(static_cast<il2cpp_array_size_t>(L_832)))^(int32_t)((L_833)->GetAt(static_cast<il2cpp_array_size_t>(L_835)))))^(int32_t)((L_836)->GetAt(static_cast<il2cpp_array_size_t>(L_838)))))^(int32_t)((L_839)->GetAt(static_cast<il2cpp_array_size_t>(L_841)))))^(int32_t)((L_842)->GetAt(static_cast<il2cpp_array_size_t>(L_843))))); UInt32U5BU5D_t2133601851* L_844 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_845 = V_8; NullCheck(L_844); IL2CPP_ARRAY_BOUNDS_CHECK(L_844, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_845>>((int32_t)24)))))); uintptr_t L_846 = (((uintptr_t)((int32_t)((uint32_t)L_845>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_847 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_848 = V_9; NullCheck(L_847); IL2CPP_ARRAY_BOUNDS_CHECK(L_847, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_848>>((int32_t)16))))))); int32_t L_849 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_848>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_850 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_851 = V_10; NullCheck(L_850); IL2CPP_ARRAY_BOUNDS_CHECK(L_850, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_851>>8)))))); int32_t L_852 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_851>>8))))); UInt32U5BU5D_t2133601851* L_853 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_854 = V_11; NullCheck(L_853); IL2CPP_ARRAY_BOUNDS_CHECK(L_853, (((int32_t)((uint8_t)L_854)))); int32_t L_855 = (((int32_t)((uint8_t)L_854))); UInt32U5BU5D_t2133601851* L_856 = ___ekey; NullCheck(L_856); IL2CPP_ARRAY_BOUNDS_CHECK(L_856, ((int32_t)62)); int32_t L_857 = ((int32_t)62); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_844)->GetAt(static_cast<il2cpp_array_size_t>(L_846)))^(int32_t)((L_847)->GetAt(static_cast<il2cpp_array_size_t>(L_849)))))^(int32_t)((L_850)->GetAt(static_cast<il2cpp_array_size_t>(L_852)))))^(int32_t)((L_853)->GetAt(static_cast<il2cpp_array_size_t>(L_855)))))^(int32_t)((L_856)->GetAt(static_cast<il2cpp_array_size_t>(L_857))))); UInt32U5BU5D_t2133601851* L_858 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_859 = V_9; NullCheck(L_858); IL2CPP_ARRAY_BOUNDS_CHECK(L_858, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_859>>((int32_t)24)))))); uintptr_t L_860 = (((uintptr_t)((int32_t)((uint32_t)L_859>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_861 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_862 = V_10; NullCheck(L_861); IL2CPP_ARRAY_BOUNDS_CHECK(L_861, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_862>>((int32_t)16))))))); int32_t L_863 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_862>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_864 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_865 = V_11; NullCheck(L_864); IL2CPP_ARRAY_BOUNDS_CHECK(L_864, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_865>>8)))))); int32_t L_866 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_865>>8))))); UInt32U5BU5D_t2133601851* L_867 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_868 = V_6; NullCheck(L_867); IL2CPP_ARRAY_BOUNDS_CHECK(L_867, (((int32_t)((uint8_t)L_868)))); int32_t L_869 = (((int32_t)((uint8_t)L_868))); UInt32U5BU5D_t2133601851* L_870 = ___ekey; NullCheck(L_870); IL2CPP_ARRAY_BOUNDS_CHECK(L_870, ((int32_t)63)); int32_t L_871 = ((int32_t)63); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_858)->GetAt(static_cast<il2cpp_array_size_t>(L_860)))^(int32_t)((L_861)->GetAt(static_cast<il2cpp_array_size_t>(L_863)))))^(int32_t)((L_864)->GetAt(static_cast<il2cpp_array_size_t>(L_866)))))^(int32_t)((L_867)->GetAt(static_cast<il2cpp_array_size_t>(L_869)))))^(int32_t)((L_870)->GetAt(static_cast<il2cpp_array_size_t>(L_871))))); UInt32U5BU5D_t2133601851* L_872 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_873 = V_10; NullCheck(L_872); IL2CPP_ARRAY_BOUNDS_CHECK(L_872, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_873>>((int32_t)24)))))); uintptr_t L_874 = (((uintptr_t)((int32_t)((uint32_t)L_873>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_875 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_876 = V_11; NullCheck(L_875); IL2CPP_ARRAY_BOUNDS_CHECK(L_875, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_876>>((int32_t)16))))))); int32_t L_877 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_876>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_878 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_879 = V_6; NullCheck(L_878); IL2CPP_ARRAY_BOUNDS_CHECK(L_878, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_879>>8)))))); int32_t L_880 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_879>>8))))); UInt32U5BU5D_t2133601851* L_881 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_882 = V_7; NullCheck(L_881); IL2CPP_ARRAY_BOUNDS_CHECK(L_881, (((int32_t)((uint8_t)L_882)))); int32_t L_883 = (((int32_t)((uint8_t)L_882))); UInt32U5BU5D_t2133601851* L_884 = ___ekey; NullCheck(L_884); IL2CPP_ARRAY_BOUNDS_CHECK(L_884, ((int32_t)64)); int32_t L_885 = ((int32_t)64); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_872)->GetAt(static_cast<il2cpp_array_size_t>(L_874)))^(int32_t)((L_875)->GetAt(static_cast<il2cpp_array_size_t>(L_877)))))^(int32_t)((L_878)->GetAt(static_cast<il2cpp_array_size_t>(L_880)))))^(int32_t)((L_881)->GetAt(static_cast<il2cpp_array_size_t>(L_883)))))^(int32_t)((L_884)->GetAt(static_cast<il2cpp_array_size_t>(L_885))))); UInt32U5BU5D_t2133601851* L_886 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_887 = V_11; NullCheck(L_886); IL2CPP_ARRAY_BOUNDS_CHECK(L_886, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_887>>((int32_t)24)))))); uintptr_t L_888 = (((uintptr_t)((int32_t)((uint32_t)L_887>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_889 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_890 = V_6; NullCheck(L_889); IL2CPP_ARRAY_BOUNDS_CHECK(L_889, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_890>>((int32_t)16))))))); int32_t L_891 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_890>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_892 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_893 = V_7; NullCheck(L_892); IL2CPP_ARRAY_BOUNDS_CHECK(L_892, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_893>>8)))))); int32_t L_894 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_893>>8))))); UInt32U5BU5D_t2133601851* L_895 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_896 = V_8; NullCheck(L_895); IL2CPP_ARRAY_BOUNDS_CHECK(L_895, (((int32_t)((uint8_t)L_896)))); int32_t L_897 = (((int32_t)((uint8_t)L_896))); UInt32U5BU5D_t2133601851* L_898 = ___ekey; NullCheck(L_898); IL2CPP_ARRAY_BOUNDS_CHECK(L_898, ((int32_t)65)); int32_t L_899 = ((int32_t)65); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_886)->GetAt(static_cast<il2cpp_array_size_t>(L_888)))^(int32_t)((L_889)->GetAt(static_cast<il2cpp_array_size_t>(L_891)))))^(int32_t)((L_892)->GetAt(static_cast<il2cpp_array_size_t>(L_894)))))^(int32_t)((L_895)->GetAt(static_cast<il2cpp_array_size_t>(L_897)))))^(int32_t)((L_898)->GetAt(static_cast<il2cpp_array_size_t>(L_899))))); UInt32U5BU5D_t2133601851* L_900 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_901 = V_0; NullCheck(L_900); IL2CPP_ARRAY_BOUNDS_CHECK(L_900, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_901>>((int32_t)24)))))); uintptr_t L_902 = (((uintptr_t)((int32_t)((uint32_t)L_901>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_903 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_904 = V_1; NullCheck(L_903); IL2CPP_ARRAY_BOUNDS_CHECK(L_903, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_904>>((int32_t)16))))))); int32_t L_905 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_904>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_906 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_907 = V_2; NullCheck(L_906); IL2CPP_ARRAY_BOUNDS_CHECK(L_906, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_907>>8)))))); int32_t L_908 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_907>>8))))); UInt32U5BU5D_t2133601851* L_909 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_910 = V_3; NullCheck(L_909); IL2CPP_ARRAY_BOUNDS_CHECK(L_909, (((int32_t)((uint8_t)L_910)))); int32_t L_911 = (((int32_t)((uint8_t)L_910))); UInt32U5BU5D_t2133601851* L_912 = ___ekey; NullCheck(L_912); IL2CPP_ARRAY_BOUNDS_CHECK(L_912, ((int32_t)66)); int32_t L_913 = ((int32_t)66); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_900)->GetAt(static_cast<il2cpp_array_size_t>(L_902)))^(int32_t)((L_903)->GetAt(static_cast<il2cpp_array_size_t>(L_905)))))^(int32_t)((L_906)->GetAt(static_cast<il2cpp_array_size_t>(L_908)))))^(int32_t)((L_909)->GetAt(static_cast<il2cpp_array_size_t>(L_911)))))^(int32_t)((L_912)->GetAt(static_cast<il2cpp_array_size_t>(L_913))))); UInt32U5BU5D_t2133601851* L_914 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_915 = V_1; NullCheck(L_914); IL2CPP_ARRAY_BOUNDS_CHECK(L_914, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_915>>((int32_t)24)))))); uintptr_t L_916 = (((uintptr_t)((int32_t)((uint32_t)L_915>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_917 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_918 = V_2; NullCheck(L_917); IL2CPP_ARRAY_BOUNDS_CHECK(L_917, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_918>>((int32_t)16))))))); int32_t L_919 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_918>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_920 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_921 = V_3; NullCheck(L_920); IL2CPP_ARRAY_BOUNDS_CHECK(L_920, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_921>>8)))))); int32_t L_922 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_921>>8))))); UInt32U5BU5D_t2133601851* L_923 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_924 = V_4; NullCheck(L_923); IL2CPP_ARRAY_BOUNDS_CHECK(L_923, (((int32_t)((uint8_t)L_924)))); int32_t L_925 = (((int32_t)((uint8_t)L_924))); UInt32U5BU5D_t2133601851* L_926 = ___ekey; NullCheck(L_926); IL2CPP_ARRAY_BOUNDS_CHECK(L_926, ((int32_t)67)); int32_t L_927 = ((int32_t)67); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_914)->GetAt(static_cast<il2cpp_array_size_t>(L_916)))^(int32_t)((L_917)->GetAt(static_cast<il2cpp_array_size_t>(L_919)))))^(int32_t)((L_920)->GetAt(static_cast<il2cpp_array_size_t>(L_922)))))^(int32_t)((L_923)->GetAt(static_cast<il2cpp_array_size_t>(L_925)))))^(int32_t)((L_926)->GetAt(static_cast<il2cpp_array_size_t>(L_927))))); UInt32U5BU5D_t2133601851* L_928 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_929 = V_2; NullCheck(L_928); IL2CPP_ARRAY_BOUNDS_CHECK(L_928, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_929>>((int32_t)24)))))); uintptr_t L_930 = (((uintptr_t)((int32_t)((uint32_t)L_929>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_931 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_932 = V_3; NullCheck(L_931); IL2CPP_ARRAY_BOUNDS_CHECK(L_931, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_932>>((int32_t)16))))))); int32_t L_933 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_932>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_934 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_935 = V_4; NullCheck(L_934); IL2CPP_ARRAY_BOUNDS_CHECK(L_934, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_935>>8)))))); int32_t L_936 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_935>>8))))); UInt32U5BU5D_t2133601851* L_937 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_938 = V_5; NullCheck(L_937); IL2CPP_ARRAY_BOUNDS_CHECK(L_937, (((int32_t)((uint8_t)L_938)))); int32_t L_939 = (((int32_t)((uint8_t)L_938))); UInt32U5BU5D_t2133601851* L_940 = ___ekey; NullCheck(L_940); IL2CPP_ARRAY_BOUNDS_CHECK(L_940, ((int32_t)68)); int32_t L_941 = ((int32_t)68); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_928)->GetAt(static_cast<il2cpp_array_size_t>(L_930)))^(int32_t)((L_931)->GetAt(static_cast<il2cpp_array_size_t>(L_933)))))^(int32_t)((L_934)->GetAt(static_cast<il2cpp_array_size_t>(L_936)))))^(int32_t)((L_937)->GetAt(static_cast<il2cpp_array_size_t>(L_939)))))^(int32_t)((L_940)->GetAt(static_cast<il2cpp_array_size_t>(L_941))))); UInt32U5BU5D_t2133601851* L_942 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_943 = V_3; NullCheck(L_942); IL2CPP_ARRAY_BOUNDS_CHECK(L_942, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_943>>((int32_t)24)))))); uintptr_t L_944 = (((uintptr_t)((int32_t)((uint32_t)L_943>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_945 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_946 = V_4; NullCheck(L_945); IL2CPP_ARRAY_BOUNDS_CHECK(L_945, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_946>>((int32_t)16))))))); int32_t L_947 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_946>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_948 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_949 = V_5; NullCheck(L_948); IL2CPP_ARRAY_BOUNDS_CHECK(L_948, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_949>>8)))))); int32_t L_950 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_949>>8))))); UInt32U5BU5D_t2133601851* L_951 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_952 = V_0; NullCheck(L_951); IL2CPP_ARRAY_BOUNDS_CHECK(L_951, (((int32_t)((uint8_t)L_952)))); int32_t L_953 = (((int32_t)((uint8_t)L_952))); UInt32U5BU5D_t2133601851* L_954 = ___ekey; NullCheck(L_954); IL2CPP_ARRAY_BOUNDS_CHECK(L_954, ((int32_t)69)); int32_t L_955 = ((int32_t)69); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_942)->GetAt(static_cast<il2cpp_array_size_t>(L_944)))^(int32_t)((L_945)->GetAt(static_cast<il2cpp_array_size_t>(L_947)))))^(int32_t)((L_948)->GetAt(static_cast<il2cpp_array_size_t>(L_950)))))^(int32_t)((L_951)->GetAt(static_cast<il2cpp_array_size_t>(L_953)))))^(int32_t)((L_954)->GetAt(static_cast<il2cpp_array_size_t>(L_955))))); UInt32U5BU5D_t2133601851* L_956 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_957 = V_4; NullCheck(L_956); IL2CPP_ARRAY_BOUNDS_CHECK(L_956, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_957>>((int32_t)24)))))); uintptr_t L_958 = (((uintptr_t)((int32_t)((uint32_t)L_957>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_959 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_960 = V_5; NullCheck(L_959); IL2CPP_ARRAY_BOUNDS_CHECK(L_959, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_960>>((int32_t)16))))))); int32_t L_961 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_960>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_962 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_963 = V_0; NullCheck(L_962); IL2CPP_ARRAY_BOUNDS_CHECK(L_962, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_963>>8)))))); int32_t L_964 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_963>>8))))); UInt32U5BU5D_t2133601851* L_965 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_966 = V_1; NullCheck(L_965); IL2CPP_ARRAY_BOUNDS_CHECK(L_965, (((int32_t)((uint8_t)L_966)))); int32_t L_967 = (((int32_t)((uint8_t)L_966))); UInt32U5BU5D_t2133601851* L_968 = ___ekey; NullCheck(L_968); IL2CPP_ARRAY_BOUNDS_CHECK(L_968, ((int32_t)70)); int32_t L_969 = ((int32_t)70); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_956)->GetAt(static_cast<il2cpp_array_size_t>(L_958)))^(int32_t)((L_959)->GetAt(static_cast<il2cpp_array_size_t>(L_961)))))^(int32_t)((L_962)->GetAt(static_cast<il2cpp_array_size_t>(L_964)))))^(int32_t)((L_965)->GetAt(static_cast<il2cpp_array_size_t>(L_967)))))^(int32_t)((L_968)->GetAt(static_cast<il2cpp_array_size_t>(L_969))))); UInt32U5BU5D_t2133601851* L_970 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_971 = V_5; NullCheck(L_970); IL2CPP_ARRAY_BOUNDS_CHECK(L_970, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_971>>((int32_t)24)))))); uintptr_t L_972 = (((uintptr_t)((int32_t)((uint32_t)L_971>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_973 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_974 = V_0; NullCheck(L_973); IL2CPP_ARRAY_BOUNDS_CHECK(L_973, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_974>>((int32_t)16))))))); int32_t L_975 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_974>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_976 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_977 = V_1; NullCheck(L_976); IL2CPP_ARRAY_BOUNDS_CHECK(L_976, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_977>>8)))))); int32_t L_978 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_977>>8))))); UInt32U5BU5D_t2133601851* L_979 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_980 = V_2; NullCheck(L_979); IL2CPP_ARRAY_BOUNDS_CHECK(L_979, (((int32_t)((uint8_t)L_980)))); int32_t L_981 = (((int32_t)((uint8_t)L_980))); UInt32U5BU5D_t2133601851* L_982 = ___ekey; NullCheck(L_982); IL2CPP_ARRAY_BOUNDS_CHECK(L_982, ((int32_t)71)); int32_t L_983 = ((int32_t)71); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_970)->GetAt(static_cast<il2cpp_array_size_t>(L_972)))^(int32_t)((L_973)->GetAt(static_cast<il2cpp_array_size_t>(L_975)))))^(int32_t)((L_976)->GetAt(static_cast<il2cpp_array_size_t>(L_978)))))^(int32_t)((L_979)->GetAt(static_cast<il2cpp_array_size_t>(L_981)))))^(int32_t)((L_982)->GetAt(static_cast<il2cpp_array_size_t>(L_983))))); int32_t L_984 = __this->get_Nr_15(); if ((((int32_t)L_984) <= ((int32_t)((int32_t)12)))) { goto IL_10b7; } } { IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_985 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_986 = V_6; NullCheck(L_985); IL2CPP_ARRAY_BOUNDS_CHECK(L_985, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_986>>((int32_t)24)))))); uintptr_t L_987 = (((uintptr_t)((int32_t)((uint32_t)L_986>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_988 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_989 = V_7; NullCheck(L_988); IL2CPP_ARRAY_BOUNDS_CHECK(L_988, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_989>>((int32_t)16))))))); int32_t L_990 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_989>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_991 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_992 = V_8; NullCheck(L_991); IL2CPP_ARRAY_BOUNDS_CHECK(L_991, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_992>>8)))))); int32_t L_993 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_992>>8))))); UInt32U5BU5D_t2133601851* L_994 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_995 = V_9; NullCheck(L_994); IL2CPP_ARRAY_BOUNDS_CHECK(L_994, (((int32_t)((uint8_t)L_995)))); int32_t L_996 = (((int32_t)((uint8_t)L_995))); UInt32U5BU5D_t2133601851* L_997 = ___ekey; NullCheck(L_997); IL2CPP_ARRAY_BOUNDS_CHECK(L_997, ((int32_t)72)); int32_t L_998 = ((int32_t)72); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_985)->GetAt(static_cast<il2cpp_array_size_t>(L_987)))^(int32_t)((L_988)->GetAt(static_cast<il2cpp_array_size_t>(L_990)))))^(int32_t)((L_991)->GetAt(static_cast<il2cpp_array_size_t>(L_993)))))^(int32_t)((L_994)->GetAt(static_cast<il2cpp_array_size_t>(L_996)))))^(int32_t)((L_997)->GetAt(static_cast<il2cpp_array_size_t>(L_998))))); UInt32U5BU5D_t2133601851* L_999 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1000 = V_7; NullCheck(L_999); IL2CPP_ARRAY_BOUNDS_CHECK(L_999, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1000>>((int32_t)24)))))); uintptr_t L_1001 = (((uintptr_t)((int32_t)((uint32_t)L_1000>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1002 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1003 = V_8; NullCheck(L_1002); IL2CPP_ARRAY_BOUNDS_CHECK(L_1002, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1003>>((int32_t)16))))))); int32_t L_1004 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1003>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1005 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1006 = V_9; NullCheck(L_1005); IL2CPP_ARRAY_BOUNDS_CHECK(L_1005, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1006>>8)))))); int32_t L_1007 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1006>>8))))); UInt32U5BU5D_t2133601851* L_1008 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1009 = V_10; NullCheck(L_1008); IL2CPP_ARRAY_BOUNDS_CHECK(L_1008, (((int32_t)((uint8_t)L_1009)))); int32_t L_1010 = (((int32_t)((uint8_t)L_1009))); UInt32U5BU5D_t2133601851* L_1011 = ___ekey; NullCheck(L_1011); IL2CPP_ARRAY_BOUNDS_CHECK(L_1011, ((int32_t)73)); int32_t L_1012 = ((int32_t)73); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_999)->GetAt(static_cast<il2cpp_array_size_t>(L_1001)))^(int32_t)((L_1002)->GetAt(static_cast<il2cpp_array_size_t>(L_1004)))))^(int32_t)((L_1005)->GetAt(static_cast<il2cpp_array_size_t>(L_1007)))))^(int32_t)((L_1008)->GetAt(static_cast<il2cpp_array_size_t>(L_1010)))))^(int32_t)((L_1011)->GetAt(static_cast<il2cpp_array_size_t>(L_1012))))); UInt32U5BU5D_t2133601851* L_1013 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1014 = V_8; NullCheck(L_1013); IL2CPP_ARRAY_BOUNDS_CHECK(L_1013, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1014>>((int32_t)24)))))); uintptr_t L_1015 = (((uintptr_t)((int32_t)((uint32_t)L_1014>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1016 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1017 = V_9; NullCheck(L_1016); IL2CPP_ARRAY_BOUNDS_CHECK(L_1016, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1017>>((int32_t)16))))))); int32_t L_1018 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1017>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1019 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1020 = V_10; NullCheck(L_1019); IL2CPP_ARRAY_BOUNDS_CHECK(L_1019, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1020>>8)))))); int32_t L_1021 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1020>>8))))); UInt32U5BU5D_t2133601851* L_1022 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1023 = V_11; NullCheck(L_1022); IL2CPP_ARRAY_BOUNDS_CHECK(L_1022, (((int32_t)((uint8_t)L_1023)))); int32_t L_1024 = (((int32_t)((uint8_t)L_1023))); UInt32U5BU5D_t2133601851* L_1025 = ___ekey; NullCheck(L_1025); IL2CPP_ARRAY_BOUNDS_CHECK(L_1025, ((int32_t)74)); int32_t L_1026 = ((int32_t)74); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1013)->GetAt(static_cast<il2cpp_array_size_t>(L_1015)))^(int32_t)((L_1016)->GetAt(static_cast<il2cpp_array_size_t>(L_1018)))))^(int32_t)((L_1019)->GetAt(static_cast<il2cpp_array_size_t>(L_1021)))))^(int32_t)((L_1022)->GetAt(static_cast<il2cpp_array_size_t>(L_1024)))))^(int32_t)((L_1025)->GetAt(static_cast<il2cpp_array_size_t>(L_1026))))); UInt32U5BU5D_t2133601851* L_1027 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1028 = V_9; NullCheck(L_1027); IL2CPP_ARRAY_BOUNDS_CHECK(L_1027, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1028>>((int32_t)24)))))); uintptr_t L_1029 = (((uintptr_t)((int32_t)((uint32_t)L_1028>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1030 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1031 = V_10; NullCheck(L_1030); IL2CPP_ARRAY_BOUNDS_CHECK(L_1030, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1031>>((int32_t)16))))))); int32_t L_1032 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1031>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1033 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1034 = V_11; NullCheck(L_1033); IL2CPP_ARRAY_BOUNDS_CHECK(L_1033, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1034>>8)))))); int32_t L_1035 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1034>>8))))); UInt32U5BU5D_t2133601851* L_1036 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1037 = V_6; NullCheck(L_1036); IL2CPP_ARRAY_BOUNDS_CHECK(L_1036, (((int32_t)((uint8_t)L_1037)))); int32_t L_1038 = (((int32_t)((uint8_t)L_1037))); UInt32U5BU5D_t2133601851* L_1039 = ___ekey; NullCheck(L_1039); IL2CPP_ARRAY_BOUNDS_CHECK(L_1039, ((int32_t)75)); int32_t L_1040 = ((int32_t)75); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1027)->GetAt(static_cast<il2cpp_array_size_t>(L_1029)))^(int32_t)((L_1030)->GetAt(static_cast<il2cpp_array_size_t>(L_1032)))))^(int32_t)((L_1033)->GetAt(static_cast<il2cpp_array_size_t>(L_1035)))))^(int32_t)((L_1036)->GetAt(static_cast<il2cpp_array_size_t>(L_1038)))))^(int32_t)((L_1039)->GetAt(static_cast<il2cpp_array_size_t>(L_1040))))); UInt32U5BU5D_t2133601851* L_1041 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1042 = V_10; NullCheck(L_1041); IL2CPP_ARRAY_BOUNDS_CHECK(L_1041, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1042>>((int32_t)24)))))); uintptr_t L_1043 = (((uintptr_t)((int32_t)((uint32_t)L_1042>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1044 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1045 = V_11; NullCheck(L_1044); IL2CPP_ARRAY_BOUNDS_CHECK(L_1044, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1045>>((int32_t)16))))))); int32_t L_1046 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1045>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1047 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1048 = V_6; NullCheck(L_1047); IL2CPP_ARRAY_BOUNDS_CHECK(L_1047, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1048>>8)))))); int32_t L_1049 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1048>>8))))); UInt32U5BU5D_t2133601851* L_1050 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1051 = V_7; NullCheck(L_1050); IL2CPP_ARRAY_BOUNDS_CHECK(L_1050, (((int32_t)((uint8_t)L_1051)))); int32_t L_1052 = (((int32_t)((uint8_t)L_1051))); UInt32U5BU5D_t2133601851* L_1053 = ___ekey; NullCheck(L_1053); IL2CPP_ARRAY_BOUNDS_CHECK(L_1053, ((int32_t)76)); int32_t L_1054 = ((int32_t)76); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1041)->GetAt(static_cast<il2cpp_array_size_t>(L_1043)))^(int32_t)((L_1044)->GetAt(static_cast<il2cpp_array_size_t>(L_1046)))))^(int32_t)((L_1047)->GetAt(static_cast<il2cpp_array_size_t>(L_1049)))))^(int32_t)((L_1050)->GetAt(static_cast<il2cpp_array_size_t>(L_1052)))))^(int32_t)((L_1053)->GetAt(static_cast<il2cpp_array_size_t>(L_1054))))); UInt32U5BU5D_t2133601851* L_1055 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1056 = V_11; NullCheck(L_1055); IL2CPP_ARRAY_BOUNDS_CHECK(L_1055, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1056>>((int32_t)24)))))); uintptr_t L_1057 = (((uintptr_t)((int32_t)((uint32_t)L_1056>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1058 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1059 = V_6; NullCheck(L_1058); IL2CPP_ARRAY_BOUNDS_CHECK(L_1058, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1059>>((int32_t)16))))))); int32_t L_1060 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1059>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1061 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1062 = V_7; NullCheck(L_1061); IL2CPP_ARRAY_BOUNDS_CHECK(L_1061, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1062>>8)))))); int32_t L_1063 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1062>>8))))); UInt32U5BU5D_t2133601851* L_1064 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1065 = V_8; NullCheck(L_1064); IL2CPP_ARRAY_BOUNDS_CHECK(L_1064, (((int32_t)((uint8_t)L_1065)))); int32_t L_1066 = (((int32_t)((uint8_t)L_1065))); UInt32U5BU5D_t2133601851* L_1067 = ___ekey; NullCheck(L_1067); IL2CPP_ARRAY_BOUNDS_CHECK(L_1067, ((int32_t)77)); int32_t L_1068 = ((int32_t)77); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1055)->GetAt(static_cast<il2cpp_array_size_t>(L_1057)))^(int32_t)((L_1058)->GetAt(static_cast<il2cpp_array_size_t>(L_1060)))))^(int32_t)((L_1061)->GetAt(static_cast<il2cpp_array_size_t>(L_1063)))))^(int32_t)((L_1064)->GetAt(static_cast<il2cpp_array_size_t>(L_1066)))))^(int32_t)((L_1067)->GetAt(static_cast<il2cpp_array_size_t>(L_1068))))); UInt32U5BU5D_t2133601851* L_1069 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1070 = V_0; NullCheck(L_1069); IL2CPP_ARRAY_BOUNDS_CHECK(L_1069, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1070>>((int32_t)24)))))); uintptr_t L_1071 = (((uintptr_t)((int32_t)((uint32_t)L_1070>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1072 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1073 = V_1; NullCheck(L_1072); IL2CPP_ARRAY_BOUNDS_CHECK(L_1072, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1073>>((int32_t)16))))))); int32_t L_1074 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1073>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1075 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1076 = V_2; NullCheck(L_1075); IL2CPP_ARRAY_BOUNDS_CHECK(L_1075, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1076>>8)))))); int32_t L_1077 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1076>>8))))); UInt32U5BU5D_t2133601851* L_1078 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1079 = V_3; NullCheck(L_1078); IL2CPP_ARRAY_BOUNDS_CHECK(L_1078, (((int32_t)((uint8_t)L_1079)))); int32_t L_1080 = (((int32_t)((uint8_t)L_1079))); UInt32U5BU5D_t2133601851* L_1081 = ___ekey; NullCheck(L_1081); IL2CPP_ARRAY_BOUNDS_CHECK(L_1081, ((int32_t)78)); int32_t L_1082 = ((int32_t)78); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1069)->GetAt(static_cast<il2cpp_array_size_t>(L_1071)))^(int32_t)((L_1072)->GetAt(static_cast<il2cpp_array_size_t>(L_1074)))))^(int32_t)((L_1075)->GetAt(static_cast<il2cpp_array_size_t>(L_1077)))))^(int32_t)((L_1078)->GetAt(static_cast<il2cpp_array_size_t>(L_1080)))))^(int32_t)((L_1081)->GetAt(static_cast<il2cpp_array_size_t>(L_1082))))); UInt32U5BU5D_t2133601851* L_1083 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1084 = V_1; NullCheck(L_1083); IL2CPP_ARRAY_BOUNDS_CHECK(L_1083, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1084>>((int32_t)24)))))); uintptr_t L_1085 = (((uintptr_t)((int32_t)((uint32_t)L_1084>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1086 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1087 = V_2; NullCheck(L_1086); IL2CPP_ARRAY_BOUNDS_CHECK(L_1086, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1087>>((int32_t)16))))))); int32_t L_1088 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1087>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1089 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1090 = V_3; NullCheck(L_1089); IL2CPP_ARRAY_BOUNDS_CHECK(L_1089, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1090>>8)))))); int32_t L_1091 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1090>>8))))); UInt32U5BU5D_t2133601851* L_1092 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1093 = V_4; NullCheck(L_1092); IL2CPP_ARRAY_BOUNDS_CHECK(L_1092, (((int32_t)((uint8_t)L_1093)))); int32_t L_1094 = (((int32_t)((uint8_t)L_1093))); UInt32U5BU5D_t2133601851* L_1095 = ___ekey; NullCheck(L_1095); IL2CPP_ARRAY_BOUNDS_CHECK(L_1095, ((int32_t)79)); int32_t L_1096 = ((int32_t)79); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1083)->GetAt(static_cast<il2cpp_array_size_t>(L_1085)))^(int32_t)((L_1086)->GetAt(static_cast<il2cpp_array_size_t>(L_1088)))))^(int32_t)((L_1089)->GetAt(static_cast<il2cpp_array_size_t>(L_1091)))))^(int32_t)((L_1092)->GetAt(static_cast<il2cpp_array_size_t>(L_1094)))))^(int32_t)((L_1095)->GetAt(static_cast<il2cpp_array_size_t>(L_1096))))); UInt32U5BU5D_t2133601851* L_1097 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1098 = V_2; NullCheck(L_1097); IL2CPP_ARRAY_BOUNDS_CHECK(L_1097, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1098>>((int32_t)24)))))); uintptr_t L_1099 = (((uintptr_t)((int32_t)((uint32_t)L_1098>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1100 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1101 = V_3; NullCheck(L_1100); IL2CPP_ARRAY_BOUNDS_CHECK(L_1100, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1101>>((int32_t)16))))))); int32_t L_1102 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1101>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1103 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1104 = V_4; NullCheck(L_1103); IL2CPP_ARRAY_BOUNDS_CHECK(L_1103, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1104>>8)))))); int32_t L_1105 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1104>>8))))); UInt32U5BU5D_t2133601851* L_1106 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1107 = V_5; NullCheck(L_1106); IL2CPP_ARRAY_BOUNDS_CHECK(L_1106, (((int32_t)((uint8_t)L_1107)))); int32_t L_1108 = (((int32_t)((uint8_t)L_1107))); UInt32U5BU5D_t2133601851* L_1109 = ___ekey; NullCheck(L_1109); IL2CPP_ARRAY_BOUNDS_CHECK(L_1109, ((int32_t)80)); int32_t L_1110 = ((int32_t)80); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1097)->GetAt(static_cast<il2cpp_array_size_t>(L_1099)))^(int32_t)((L_1100)->GetAt(static_cast<il2cpp_array_size_t>(L_1102)))))^(int32_t)((L_1103)->GetAt(static_cast<il2cpp_array_size_t>(L_1105)))))^(int32_t)((L_1106)->GetAt(static_cast<il2cpp_array_size_t>(L_1108)))))^(int32_t)((L_1109)->GetAt(static_cast<il2cpp_array_size_t>(L_1110))))); UInt32U5BU5D_t2133601851* L_1111 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1112 = V_3; NullCheck(L_1111); IL2CPP_ARRAY_BOUNDS_CHECK(L_1111, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1112>>((int32_t)24)))))); uintptr_t L_1113 = (((uintptr_t)((int32_t)((uint32_t)L_1112>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1114 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1115 = V_4; NullCheck(L_1114); IL2CPP_ARRAY_BOUNDS_CHECK(L_1114, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1115>>((int32_t)16))))))); int32_t L_1116 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1115>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1117 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1118 = V_5; NullCheck(L_1117); IL2CPP_ARRAY_BOUNDS_CHECK(L_1117, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1118>>8)))))); int32_t L_1119 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1118>>8))))); UInt32U5BU5D_t2133601851* L_1120 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1121 = V_0; NullCheck(L_1120); IL2CPP_ARRAY_BOUNDS_CHECK(L_1120, (((int32_t)((uint8_t)L_1121)))); int32_t L_1122 = (((int32_t)((uint8_t)L_1121))); UInt32U5BU5D_t2133601851* L_1123 = ___ekey; NullCheck(L_1123); IL2CPP_ARRAY_BOUNDS_CHECK(L_1123, ((int32_t)81)); int32_t L_1124 = ((int32_t)81); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1111)->GetAt(static_cast<il2cpp_array_size_t>(L_1113)))^(int32_t)((L_1114)->GetAt(static_cast<il2cpp_array_size_t>(L_1116)))))^(int32_t)((L_1117)->GetAt(static_cast<il2cpp_array_size_t>(L_1119)))))^(int32_t)((L_1120)->GetAt(static_cast<il2cpp_array_size_t>(L_1122)))))^(int32_t)((L_1123)->GetAt(static_cast<il2cpp_array_size_t>(L_1124))))); UInt32U5BU5D_t2133601851* L_1125 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1126 = V_4; NullCheck(L_1125); IL2CPP_ARRAY_BOUNDS_CHECK(L_1125, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1126>>((int32_t)24)))))); uintptr_t L_1127 = (((uintptr_t)((int32_t)((uint32_t)L_1126>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1128 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1129 = V_5; NullCheck(L_1128); IL2CPP_ARRAY_BOUNDS_CHECK(L_1128, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1129>>((int32_t)16))))))); int32_t L_1130 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1129>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1131 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1132 = V_0; NullCheck(L_1131); IL2CPP_ARRAY_BOUNDS_CHECK(L_1131, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1132>>8)))))); int32_t L_1133 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1132>>8))))); UInt32U5BU5D_t2133601851* L_1134 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1135 = V_1; NullCheck(L_1134); IL2CPP_ARRAY_BOUNDS_CHECK(L_1134, (((int32_t)((uint8_t)L_1135)))); int32_t L_1136 = (((int32_t)((uint8_t)L_1135))); UInt32U5BU5D_t2133601851* L_1137 = ___ekey; NullCheck(L_1137); IL2CPP_ARRAY_BOUNDS_CHECK(L_1137, ((int32_t)82)); int32_t L_1138 = ((int32_t)82); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1125)->GetAt(static_cast<il2cpp_array_size_t>(L_1127)))^(int32_t)((L_1128)->GetAt(static_cast<il2cpp_array_size_t>(L_1130)))))^(int32_t)((L_1131)->GetAt(static_cast<il2cpp_array_size_t>(L_1133)))))^(int32_t)((L_1134)->GetAt(static_cast<il2cpp_array_size_t>(L_1136)))))^(int32_t)((L_1137)->GetAt(static_cast<il2cpp_array_size_t>(L_1138))))); UInt32U5BU5D_t2133601851* L_1139 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1140 = V_5; NullCheck(L_1139); IL2CPP_ARRAY_BOUNDS_CHECK(L_1139, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1140>>((int32_t)24)))))); uintptr_t L_1141 = (((uintptr_t)((int32_t)((uint32_t)L_1140>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1142 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1143 = V_0; NullCheck(L_1142); IL2CPP_ARRAY_BOUNDS_CHECK(L_1142, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1143>>((int32_t)16))))))); int32_t L_1144 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1143>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1145 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1146 = V_1; NullCheck(L_1145); IL2CPP_ARRAY_BOUNDS_CHECK(L_1145, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1146>>8)))))); int32_t L_1147 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1146>>8))))); UInt32U5BU5D_t2133601851* L_1148 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1149 = V_2; NullCheck(L_1148); IL2CPP_ARRAY_BOUNDS_CHECK(L_1148, (((int32_t)((uint8_t)L_1149)))); int32_t L_1150 = (((int32_t)((uint8_t)L_1149))); UInt32U5BU5D_t2133601851* L_1151 = ___ekey; NullCheck(L_1151); IL2CPP_ARRAY_BOUNDS_CHECK(L_1151, ((int32_t)83)); int32_t L_1152 = ((int32_t)83); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1139)->GetAt(static_cast<il2cpp_array_size_t>(L_1141)))^(int32_t)((L_1142)->GetAt(static_cast<il2cpp_array_size_t>(L_1144)))))^(int32_t)((L_1145)->GetAt(static_cast<il2cpp_array_size_t>(L_1147)))))^(int32_t)((L_1148)->GetAt(static_cast<il2cpp_array_size_t>(L_1150)))))^(int32_t)((L_1151)->GetAt(static_cast<il2cpp_array_size_t>(L_1152))))); V_12 = ((int32_t)84); } IL_10b7: { ByteU5BU5D_t58506160* L_1153 = ___outdata; IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_1154 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1155 = V_6; NullCheck(L_1154); IL2CPP_ARRAY_BOUNDS_CHECK(L_1154, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1155>>((int32_t)24)))))); uintptr_t L_1156 = (((uintptr_t)((int32_t)((uint32_t)L_1155>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1157 = ___ekey; int32_t L_1158 = V_12; NullCheck(L_1157); IL2CPP_ARRAY_BOUNDS_CHECK(L_1157, L_1158); int32_t L_1159 = L_1158; NullCheck(L_1153); IL2CPP_ARRAY_BOUNDS_CHECK(L_1153, 0); (L_1153)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1154)->GetAt(static_cast<il2cpp_array_size_t>(L_1156)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1157)->GetAt(static_cast<il2cpp_array_size_t>(L_1159)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1160 = ___outdata; ByteU5BU5D_t58506160* L_1161 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1162 = V_7; NullCheck(L_1161); IL2CPP_ARRAY_BOUNDS_CHECK(L_1161, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1162>>((int32_t)16))))))); int32_t L_1163 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1162>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1164 = ___ekey; int32_t L_1165 = V_12; NullCheck(L_1164); IL2CPP_ARRAY_BOUNDS_CHECK(L_1164, L_1165); int32_t L_1166 = L_1165; NullCheck(L_1160); IL2CPP_ARRAY_BOUNDS_CHECK(L_1160, 1); (L_1160)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1161)->GetAt(static_cast<il2cpp_array_size_t>(L_1163)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1164)->GetAt(static_cast<il2cpp_array_size_t>(L_1166)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1167 = ___outdata; ByteU5BU5D_t58506160* L_1168 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1169 = V_8; NullCheck(L_1168); IL2CPP_ARRAY_BOUNDS_CHECK(L_1168, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1169>>8)))))); int32_t L_1170 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1169>>8))))); UInt32U5BU5D_t2133601851* L_1171 = ___ekey; int32_t L_1172 = V_12; NullCheck(L_1171); IL2CPP_ARRAY_BOUNDS_CHECK(L_1171, L_1172); int32_t L_1173 = L_1172; NullCheck(L_1167); IL2CPP_ARRAY_BOUNDS_CHECK(L_1167, 2); (L_1167)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1168)->GetAt(static_cast<il2cpp_array_size_t>(L_1170)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1171)->GetAt(static_cast<il2cpp_array_size_t>(L_1173)))>>8))))))))))); ByteU5BU5D_t58506160* L_1174 = ___outdata; ByteU5BU5D_t58506160* L_1175 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1176 = V_9; NullCheck(L_1175); IL2CPP_ARRAY_BOUNDS_CHECK(L_1175, (((int32_t)((uint8_t)L_1176)))); int32_t L_1177 = (((int32_t)((uint8_t)L_1176))); UInt32U5BU5D_t2133601851* L_1178 = ___ekey; int32_t L_1179 = V_12; int32_t L_1180 = L_1179; V_12 = ((int32_t)((int32_t)L_1180+(int32_t)1)); NullCheck(L_1178); IL2CPP_ARRAY_BOUNDS_CHECK(L_1178, L_1180); int32_t L_1181 = L_1180; NullCheck(L_1174); IL2CPP_ARRAY_BOUNDS_CHECK(L_1174, 3); (L_1174)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1175)->GetAt(static_cast<il2cpp_array_size_t>(L_1177)))^(int32_t)(((int32_t)((uint8_t)((L_1178)->GetAt(static_cast<il2cpp_array_size_t>(L_1181)))))))))))); ByteU5BU5D_t58506160* L_1182 = ___outdata; ByteU5BU5D_t58506160* L_1183 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1184 = V_7; NullCheck(L_1183); IL2CPP_ARRAY_BOUNDS_CHECK(L_1183, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1184>>((int32_t)24)))))); uintptr_t L_1185 = (((uintptr_t)((int32_t)((uint32_t)L_1184>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1186 = ___ekey; int32_t L_1187 = V_12; NullCheck(L_1186); IL2CPP_ARRAY_BOUNDS_CHECK(L_1186, L_1187); int32_t L_1188 = L_1187; NullCheck(L_1182); IL2CPP_ARRAY_BOUNDS_CHECK(L_1182, 4); (L_1182)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1183)->GetAt(static_cast<il2cpp_array_size_t>(L_1185)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1186)->GetAt(static_cast<il2cpp_array_size_t>(L_1188)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1189 = ___outdata; ByteU5BU5D_t58506160* L_1190 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1191 = V_8; NullCheck(L_1190); IL2CPP_ARRAY_BOUNDS_CHECK(L_1190, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1191>>((int32_t)16))))))); int32_t L_1192 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1191>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1193 = ___ekey; int32_t L_1194 = V_12; NullCheck(L_1193); IL2CPP_ARRAY_BOUNDS_CHECK(L_1193, L_1194); int32_t L_1195 = L_1194; NullCheck(L_1189); IL2CPP_ARRAY_BOUNDS_CHECK(L_1189, 5); (L_1189)->SetAt(static_cast<il2cpp_array_size_t>(5), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1190)->GetAt(static_cast<il2cpp_array_size_t>(L_1192)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1193)->GetAt(static_cast<il2cpp_array_size_t>(L_1195)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1196 = ___outdata; ByteU5BU5D_t58506160* L_1197 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1198 = V_9; NullCheck(L_1197); IL2CPP_ARRAY_BOUNDS_CHECK(L_1197, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1198>>8)))))); int32_t L_1199 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1198>>8))))); UInt32U5BU5D_t2133601851* L_1200 = ___ekey; int32_t L_1201 = V_12; NullCheck(L_1200); IL2CPP_ARRAY_BOUNDS_CHECK(L_1200, L_1201); int32_t L_1202 = L_1201; NullCheck(L_1196); IL2CPP_ARRAY_BOUNDS_CHECK(L_1196, 6); (L_1196)->SetAt(static_cast<il2cpp_array_size_t>(6), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1197)->GetAt(static_cast<il2cpp_array_size_t>(L_1199)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1200)->GetAt(static_cast<il2cpp_array_size_t>(L_1202)))>>8))))))))))); ByteU5BU5D_t58506160* L_1203 = ___outdata; ByteU5BU5D_t58506160* L_1204 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1205 = V_10; NullCheck(L_1204); IL2CPP_ARRAY_BOUNDS_CHECK(L_1204, (((int32_t)((uint8_t)L_1205)))); int32_t L_1206 = (((int32_t)((uint8_t)L_1205))); UInt32U5BU5D_t2133601851* L_1207 = ___ekey; int32_t L_1208 = V_12; int32_t L_1209 = L_1208; V_12 = ((int32_t)((int32_t)L_1209+(int32_t)1)); NullCheck(L_1207); IL2CPP_ARRAY_BOUNDS_CHECK(L_1207, L_1209); int32_t L_1210 = L_1209; NullCheck(L_1203); IL2CPP_ARRAY_BOUNDS_CHECK(L_1203, 7); (L_1203)->SetAt(static_cast<il2cpp_array_size_t>(7), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1204)->GetAt(static_cast<il2cpp_array_size_t>(L_1206)))^(int32_t)(((int32_t)((uint8_t)((L_1207)->GetAt(static_cast<il2cpp_array_size_t>(L_1210)))))))))))); ByteU5BU5D_t58506160* L_1211 = ___outdata; ByteU5BU5D_t58506160* L_1212 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1213 = V_8; NullCheck(L_1212); IL2CPP_ARRAY_BOUNDS_CHECK(L_1212, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1213>>((int32_t)24)))))); uintptr_t L_1214 = (((uintptr_t)((int32_t)((uint32_t)L_1213>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1215 = ___ekey; int32_t L_1216 = V_12; NullCheck(L_1215); IL2CPP_ARRAY_BOUNDS_CHECK(L_1215, L_1216); int32_t L_1217 = L_1216; NullCheck(L_1211); IL2CPP_ARRAY_BOUNDS_CHECK(L_1211, 8); (L_1211)->SetAt(static_cast<il2cpp_array_size_t>(8), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1212)->GetAt(static_cast<il2cpp_array_size_t>(L_1214)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1215)->GetAt(static_cast<il2cpp_array_size_t>(L_1217)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1218 = ___outdata; ByteU5BU5D_t58506160* L_1219 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1220 = V_9; NullCheck(L_1219); IL2CPP_ARRAY_BOUNDS_CHECK(L_1219, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1220>>((int32_t)16))))))); int32_t L_1221 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1220>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1222 = ___ekey; int32_t L_1223 = V_12; NullCheck(L_1222); IL2CPP_ARRAY_BOUNDS_CHECK(L_1222, L_1223); int32_t L_1224 = L_1223; NullCheck(L_1218); IL2CPP_ARRAY_BOUNDS_CHECK(L_1218, ((int32_t)9)); (L_1218)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1219)->GetAt(static_cast<il2cpp_array_size_t>(L_1221)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1222)->GetAt(static_cast<il2cpp_array_size_t>(L_1224)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1225 = ___outdata; ByteU5BU5D_t58506160* L_1226 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1227 = V_10; NullCheck(L_1226); IL2CPP_ARRAY_BOUNDS_CHECK(L_1226, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1227>>8)))))); int32_t L_1228 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1227>>8))))); UInt32U5BU5D_t2133601851* L_1229 = ___ekey; int32_t L_1230 = V_12; NullCheck(L_1229); IL2CPP_ARRAY_BOUNDS_CHECK(L_1229, L_1230); int32_t L_1231 = L_1230; NullCheck(L_1225); IL2CPP_ARRAY_BOUNDS_CHECK(L_1225, ((int32_t)10)); (L_1225)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)10)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1226)->GetAt(static_cast<il2cpp_array_size_t>(L_1228)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1229)->GetAt(static_cast<il2cpp_array_size_t>(L_1231)))>>8))))))))))); ByteU5BU5D_t58506160* L_1232 = ___outdata; ByteU5BU5D_t58506160* L_1233 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1234 = V_11; NullCheck(L_1233); IL2CPP_ARRAY_BOUNDS_CHECK(L_1233, (((int32_t)((uint8_t)L_1234)))); int32_t L_1235 = (((int32_t)((uint8_t)L_1234))); UInt32U5BU5D_t2133601851* L_1236 = ___ekey; int32_t L_1237 = V_12; int32_t L_1238 = L_1237; V_12 = ((int32_t)((int32_t)L_1238+(int32_t)1)); NullCheck(L_1236); IL2CPP_ARRAY_BOUNDS_CHECK(L_1236, L_1238); int32_t L_1239 = L_1238; NullCheck(L_1232); IL2CPP_ARRAY_BOUNDS_CHECK(L_1232, ((int32_t)11)); (L_1232)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)11)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1233)->GetAt(static_cast<il2cpp_array_size_t>(L_1235)))^(int32_t)(((int32_t)((uint8_t)((L_1236)->GetAt(static_cast<il2cpp_array_size_t>(L_1239)))))))))))); ByteU5BU5D_t58506160* L_1240 = ___outdata; ByteU5BU5D_t58506160* L_1241 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1242 = V_9; NullCheck(L_1241); IL2CPP_ARRAY_BOUNDS_CHECK(L_1241, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1242>>((int32_t)24)))))); uintptr_t L_1243 = (((uintptr_t)((int32_t)((uint32_t)L_1242>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1244 = ___ekey; int32_t L_1245 = V_12; NullCheck(L_1244); IL2CPP_ARRAY_BOUNDS_CHECK(L_1244, L_1245); int32_t L_1246 = L_1245; NullCheck(L_1240); IL2CPP_ARRAY_BOUNDS_CHECK(L_1240, ((int32_t)12)); (L_1240)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)12)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1241)->GetAt(static_cast<il2cpp_array_size_t>(L_1243)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1244)->GetAt(static_cast<il2cpp_array_size_t>(L_1246)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1247 = ___outdata; ByteU5BU5D_t58506160* L_1248 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1249 = V_10; NullCheck(L_1248); IL2CPP_ARRAY_BOUNDS_CHECK(L_1248, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1249>>((int32_t)16))))))); int32_t L_1250 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1249>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1251 = ___ekey; int32_t L_1252 = V_12; NullCheck(L_1251); IL2CPP_ARRAY_BOUNDS_CHECK(L_1251, L_1252); int32_t L_1253 = L_1252; NullCheck(L_1247); IL2CPP_ARRAY_BOUNDS_CHECK(L_1247, ((int32_t)13)); (L_1247)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)13)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1248)->GetAt(static_cast<il2cpp_array_size_t>(L_1250)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1251)->GetAt(static_cast<il2cpp_array_size_t>(L_1253)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1254 = ___outdata; ByteU5BU5D_t58506160* L_1255 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1256 = V_11; NullCheck(L_1255); IL2CPP_ARRAY_BOUNDS_CHECK(L_1255, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1256>>8)))))); int32_t L_1257 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1256>>8))))); UInt32U5BU5D_t2133601851* L_1258 = ___ekey; int32_t L_1259 = V_12; NullCheck(L_1258); IL2CPP_ARRAY_BOUNDS_CHECK(L_1258, L_1259); int32_t L_1260 = L_1259; NullCheck(L_1254); IL2CPP_ARRAY_BOUNDS_CHECK(L_1254, ((int32_t)14)); (L_1254)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1255)->GetAt(static_cast<il2cpp_array_size_t>(L_1257)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1258)->GetAt(static_cast<il2cpp_array_size_t>(L_1260)))>>8))))))))))); ByteU5BU5D_t58506160* L_1261 = ___outdata; ByteU5BU5D_t58506160* L_1262 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1263 = V_6; NullCheck(L_1262); IL2CPP_ARRAY_BOUNDS_CHECK(L_1262, (((int32_t)((uint8_t)L_1263)))); int32_t L_1264 = (((int32_t)((uint8_t)L_1263))); UInt32U5BU5D_t2133601851* L_1265 = ___ekey; int32_t L_1266 = V_12; int32_t L_1267 = L_1266; V_12 = ((int32_t)((int32_t)L_1267+(int32_t)1)); NullCheck(L_1265); IL2CPP_ARRAY_BOUNDS_CHECK(L_1265, L_1267); int32_t L_1268 = L_1267; NullCheck(L_1261); IL2CPP_ARRAY_BOUNDS_CHECK(L_1261, ((int32_t)15)); (L_1261)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1262)->GetAt(static_cast<il2cpp_array_size_t>(L_1264)))^(int32_t)(((int32_t)((uint8_t)((L_1265)->GetAt(static_cast<il2cpp_array_size_t>(L_1268)))))))))))); ByteU5BU5D_t58506160* L_1269 = ___outdata; ByteU5BU5D_t58506160* L_1270 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1271 = V_10; NullCheck(L_1270); IL2CPP_ARRAY_BOUNDS_CHECK(L_1270, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1271>>((int32_t)24)))))); uintptr_t L_1272 = (((uintptr_t)((int32_t)((uint32_t)L_1271>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1273 = ___ekey; int32_t L_1274 = V_12; NullCheck(L_1273); IL2CPP_ARRAY_BOUNDS_CHECK(L_1273, L_1274); int32_t L_1275 = L_1274; NullCheck(L_1269); IL2CPP_ARRAY_BOUNDS_CHECK(L_1269, ((int32_t)16)); (L_1269)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)16)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1270)->GetAt(static_cast<il2cpp_array_size_t>(L_1272)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1273)->GetAt(static_cast<il2cpp_array_size_t>(L_1275)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1276 = ___outdata; ByteU5BU5D_t58506160* L_1277 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1278 = V_11; NullCheck(L_1277); IL2CPP_ARRAY_BOUNDS_CHECK(L_1277, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1278>>((int32_t)16))))))); int32_t L_1279 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1278>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1280 = ___ekey; int32_t L_1281 = V_12; NullCheck(L_1280); IL2CPP_ARRAY_BOUNDS_CHECK(L_1280, L_1281); int32_t L_1282 = L_1281; NullCheck(L_1276); IL2CPP_ARRAY_BOUNDS_CHECK(L_1276, ((int32_t)17)); (L_1276)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)17)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1277)->GetAt(static_cast<il2cpp_array_size_t>(L_1279)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1280)->GetAt(static_cast<il2cpp_array_size_t>(L_1282)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1283 = ___outdata; ByteU5BU5D_t58506160* L_1284 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1285 = V_6; NullCheck(L_1284); IL2CPP_ARRAY_BOUNDS_CHECK(L_1284, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1285>>8)))))); int32_t L_1286 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1285>>8))))); UInt32U5BU5D_t2133601851* L_1287 = ___ekey; int32_t L_1288 = V_12; NullCheck(L_1287); IL2CPP_ARRAY_BOUNDS_CHECK(L_1287, L_1288); int32_t L_1289 = L_1288; NullCheck(L_1283); IL2CPP_ARRAY_BOUNDS_CHECK(L_1283, ((int32_t)18)); (L_1283)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)18)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1284)->GetAt(static_cast<il2cpp_array_size_t>(L_1286)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1287)->GetAt(static_cast<il2cpp_array_size_t>(L_1289)))>>8))))))))))); ByteU5BU5D_t58506160* L_1290 = ___outdata; ByteU5BU5D_t58506160* L_1291 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1292 = V_7; NullCheck(L_1291); IL2CPP_ARRAY_BOUNDS_CHECK(L_1291, (((int32_t)((uint8_t)L_1292)))); int32_t L_1293 = (((int32_t)((uint8_t)L_1292))); UInt32U5BU5D_t2133601851* L_1294 = ___ekey; int32_t L_1295 = V_12; int32_t L_1296 = L_1295; V_12 = ((int32_t)((int32_t)L_1296+(int32_t)1)); NullCheck(L_1294); IL2CPP_ARRAY_BOUNDS_CHECK(L_1294, L_1296); int32_t L_1297 = L_1296; NullCheck(L_1290); IL2CPP_ARRAY_BOUNDS_CHECK(L_1290, ((int32_t)19)); (L_1290)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)19)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1291)->GetAt(static_cast<il2cpp_array_size_t>(L_1293)))^(int32_t)(((int32_t)((uint8_t)((L_1294)->GetAt(static_cast<il2cpp_array_size_t>(L_1297)))))))))))); ByteU5BU5D_t58506160* L_1298 = ___outdata; ByteU5BU5D_t58506160* L_1299 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1300 = V_11; NullCheck(L_1299); IL2CPP_ARRAY_BOUNDS_CHECK(L_1299, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1300>>((int32_t)24)))))); uintptr_t L_1301 = (((uintptr_t)((int32_t)((uint32_t)L_1300>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1302 = ___ekey; int32_t L_1303 = V_12; NullCheck(L_1302); IL2CPP_ARRAY_BOUNDS_CHECK(L_1302, L_1303); int32_t L_1304 = L_1303; NullCheck(L_1298); IL2CPP_ARRAY_BOUNDS_CHECK(L_1298, ((int32_t)20)); (L_1298)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)20)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1299)->GetAt(static_cast<il2cpp_array_size_t>(L_1301)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1302)->GetAt(static_cast<il2cpp_array_size_t>(L_1304)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1305 = ___outdata; ByteU5BU5D_t58506160* L_1306 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1307 = V_6; NullCheck(L_1306); IL2CPP_ARRAY_BOUNDS_CHECK(L_1306, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1307>>((int32_t)16))))))); int32_t L_1308 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1307>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1309 = ___ekey; int32_t L_1310 = V_12; NullCheck(L_1309); IL2CPP_ARRAY_BOUNDS_CHECK(L_1309, L_1310); int32_t L_1311 = L_1310; NullCheck(L_1305); IL2CPP_ARRAY_BOUNDS_CHECK(L_1305, ((int32_t)21)); (L_1305)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)21)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1306)->GetAt(static_cast<il2cpp_array_size_t>(L_1308)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1309)->GetAt(static_cast<il2cpp_array_size_t>(L_1311)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1312 = ___outdata; ByteU5BU5D_t58506160* L_1313 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1314 = V_7; NullCheck(L_1313); IL2CPP_ARRAY_BOUNDS_CHECK(L_1313, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1314>>8)))))); int32_t L_1315 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1314>>8))))); UInt32U5BU5D_t2133601851* L_1316 = ___ekey; int32_t L_1317 = V_12; NullCheck(L_1316); IL2CPP_ARRAY_BOUNDS_CHECK(L_1316, L_1317); int32_t L_1318 = L_1317; NullCheck(L_1312); IL2CPP_ARRAY_BOUNDS_CHECK(L_1312, ((int32_t)22)); (L_1312)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)22)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1313)->GetAt(static_cast<il2cpp_array_size_t>(L_1315)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1316)->GetAt(static_cast<il2cpp_array_size_t>(L_1318)))>>8))))))))))); ByteU5BU5D_t58506160* L_1319 = ___outdata; ByteU5BU5D_t58506160* L_1320 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1321 = V_8; NullCheck(L_1320); IL2CPP_ARRAY_BOUNDS_CHECK(L_1320, (((int32_t)((uint8_t)L_1321)))); int32_t L_1322 = (((int32_t)((uint8_t)L_1321))); UInt32U5BU5D_t2133601851* L_1323 = ___ekey; int32_t L_1324 = V_12; int32_t L_1325 = L_1324; V_12 = ((int32_t)((int32_t)L_1325+(int32_t)1)); NullCheck(L_1323); IL2CPP_ARRAY_BOUNDS_CHECK(L_1323, L_1325); int32_t L_1326 = L_1325; NullCheck(L_1319); IL2CPP_ARRAY_BOUNDS_CHECK(L_1319, ((int32_t)23)); (L_1319)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)23)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1320)->GetAt(static_cast<il2cpp_array_size_t>(L_1322)))^(int32_t)(((int32_t)((uint8_t)((L_1323)->GetAt(static_cast<il2cpp_array_size_t>(L_1326)))))))))))); return; } } // System.Void System.Security.Cryptography.RijndaelTransform::Encrypt256(System.Byte[],System.Byte[],System.UInt32[]) extern TypeInfo* RijndaelTransform_t2468220198_il2cpp_TypeInfo_var; extern const uint32_t RijndaelTransform_Encrypt256_m282559940_MetadataUsageId; extern "C" void RijndaelTransform_Encrypt256_m282559940 (RijndaelTransform_t2468220198 * __this, ByteU5BU5D_t58506160* ___indata, ByteU5BU5D_t58506160* ___outdata, UInt32U5BU5D_t2133601851* ___ekey, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelTransform_Encrypt256_m282559940_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint32_t V_0 = 0; uint32_t V_1 = 0; uint32_t V_2 = 0; uint32_t V_3 = 0; uint32_t V_4 = 0; uint32_t V_5 = 0; uint32_t V_6 = 0; uint32_t V_7 = 0; uint32_t V_8 = 0; uint32_t V_9 = 0; uint32_t V_10 = 0; uint32_t V_11 = 0; uint32_t V_12 = 0; uint32_t V_13 = 0; uint32_t V_14 = 0; uint32_t V_15 = 0; { ByteU5BU5D_t58506160* L_0 = ___indata; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); int32_t L_1 = 0; ByteU5BU5D_t58506160* L_2 = ___indata; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 1); int32_t L_3 = 1; ByteU5BU5D_t58506160* L_4 = ___indata; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 2); int32_t L_5 = 2; ByteU5BU5D_t58506160* L_6 = ___indata; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 3); int32_t L_7 = 3; UInt32U5BU5D_t2133601851* L_8 = ___ekey; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, 0); int32_t L_9 = 0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_1)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_3)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_5)))<<(int32_t)8))))|(int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))))^(int32_t)((L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_9))))); ByteU5BU5D_t58506160* L_10 = ___indata; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 4); int32_t L_11 = 4; ByteU5BU5D_t58506160* L_12 = ___indata; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, 5); int32_t L_13 = 5; ByteU5BU5D_t58506160* L_14 = ___indata; NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, 6); int32_t L_15 = 6; ByteU5BU5D_t58506160* L_16 = ___indata; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, 7); int32_t L_17 = 7; UInt32U5BU5D_t2133601851* L_18 = ___ekey; NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, 1); int32_t L_19 = 1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_11)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_13)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_15)))<<(int32_t)8))))|(int32_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_17)))))^(int32_t)((L_18)->GetAt(static_cast<il2cpp_array_size_t>(L_19))))); ByteU5BU5D_t58506160* L_20 = ___indata; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, 8); int32_t L_21 = 8; ByteU5BU5D_t58506160* L_22 = ___indata; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, ((int32_t)9)); int32_t L_23 = ((int32_t)9); ByteU5BU5D_t58506160* L_24 = ___indata; NullCheck(L_24); IL2CPP_ARRAY_BOUNDS_CHECK(L_24, ((int32_t)10)); int32_t L_25 = ((int32_t)10); ByteU5BU5D_t58506160* L_26 = ___indata; NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, ((int32_t)11)); int32_t L_27 = ((int32_t)11); UInt32U5BU5D_t2133601851* L_28 = ___ekey; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, 2); int32_t L_29 = 2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_21)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_22)->GetAt(static_cast<il2cpp_array_size_t>(L_23)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_24)->GetAt(static_cast<il2cpp_array_size_t>(L_25)))<<(int32_t)8))))|(int32_t)((L_26)->GetAt(static_cast<il2cpp_array_size_t>(L_27)))))^(int32_t)((L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29))))); ByteU5BU5D_t58506160* L_30 = ___indata; NullCheck(L_30); IL2CPP_ARRAY_BOUNDS_CHECK(L_30, ((int32_t)12)); int32_t L_31 = ((int32_t)12); ByteU5BU5D_t58506160* L_32 = ___indata; NullCheck(L_32); IL2CPP_ARRAY_BOUNDS_CHECK(L_32, ((int32_t)13)); int32_t L_33 = ((int32_t)13); ByteU5BU5D_t58506160* L_34 = ___indata; NullCheck(L_34); IL2CPP_ARRAY_BOUNDS_CHECK(L_34, ((int32_t)14)); int32_t L_35 = ((int32_t)14); ByteU5BU5D_t58506160* L_36 = ___indata; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, ((int32_t)15)); int32_t L_37 = ((int32_t)15); UInt32U5BU5D_t2133601851* L_38 = ___ekey; NullCheck(L_38); IL2CPP_ARRAY_BOUNDS_CHECK(L_38, 3); int32_t L_39 = 3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_30)->GetAt(static_cast<il2cpp_array_size_t>(L_31)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_32)->GetAt(static_cast<il2cpp_array_size_t>(L_33)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_34)->GetAt(static_cast<il2cpp_array_size_t>(L_35)))<<(int32_t)8))))|(int32_t)((L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_37)))))^(int32_t)((L_38)->GetAt(static_cast<il2cpp_array_size_t>(L_39))))); ByteU5BU5D_t58506160* L_40 = ___indata; NullCheck(L_40); IL2CPP_ARRAY_BOUNDS_CHECK(L_40, ((int32_t)16)); int32_t L_41 = ((int32_t)16); ByteU5BU5D_t58506160* L_42 = ___indata; NullCheck(L_42); IL2CPP_ARRAY_BOUNDS_CHECK(L_42, ((int32_t)17)); int32_t L_43 = ((int32_t)17); ByteU5BU5D_t58506160* L_44 = ___indata; NullCheck(L_44); IL2CPP_ARRAY_BOUNDS_CHECK(L_44, ((int32_t)18)); int32_t L_45 = ((int32_t)18); ByteU5BU5D_t58506160* L_46 = ___indata; NullCheck(L_46); IL2CPP_ARRAY_BOUNDS_CHECK(L_46, ((int32_t)19)); int32_t L_47 = ((int32_t)19); UInt32U5BU5D_t2133601851* L_48 = ___ekey; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, 4); int32_t L_49 = 4; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_40)->GetAt(static_cast<il2cpp_array_size_t>(L_41)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_42)->GetAt(static_cast<il2cpp_array_size_t>(L_43)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_44)->GetAt(static_cast<il2cpp_array_size_t>(L_45)))<<(int32_t)8))))|(int32_t)((L_46)->GetAt(static_cast<il2cpp_array_size_t>(L_47)))))^(int32_t)((L_48)->GetAt(static_cast<il2cpp_array_size_t>(L_49))))); ByteU5BU5D_t58506160* L_50 = ___indata; NullCheck(L_50); IL2CPP_ARRAY_BOUNDS_CHECK(L_50, ((int32_t)20)); int32_t L_51 = ((int32_t)20); ByteU5BU5D_t58506160* L_52 = ___indata; NullCheck(L_52); IL2CPP_ARRAY_BOUNDS_CHECK(L_52, ((int32_t)21)); int32_t L_53 = ((int32_t)21); ByteU5BU5D_t58506160* L_54 = ___indata; NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, ((int32_t)22)); int32_t L_55 = ((int32_t)22); ByteU5BU5D_t58506160* L_56 = ___indata; NullCheck(L_56); IL2CPP_ARRAY_BOUNDS_CHECK(L_56, ((int32_t)23)); int32_t L_57 = ((int32_t)23); UInt32U5BU5D_t2133601851* L_58 = ___ekey; NullCheck(L_58); IL2CPP_ARRAY_BOUNDS_CHECK(L_58, 5); int32_t L_59 = 5; V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_50)->GetAt(static_cast<il2cpp_array_size_t>(L_51)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_52)->GetAt(static_cast<il2cpp_array_size_t>(L_53)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_55)))<<(int32_t)8))))|(int32_t)((L_56)->GetAt(static_cast<il2cpp_array_size_t>(L_57)))))^(int32_t)((L_58)->GetAt(static_cast<il2cpp_array_size_t>(L_59))))); ByteU5BU5D_t58506160* L_60 = ___indata; NullCheck(L_60); IL2CPP_ARRAY_BOUNDS_CHECK(L_60, ((int32_t)24)); int32_t L_61 = ((int32_t)24); ByteU5BU5D_t58506160* L_62 = ___indata; NullCheck(L_62); IL2CPP_ARRAY_BOUNDS_CHECK(L_62, ((int32_t)25)); int32_t L_63 = ((int32_t)25); ByteU5BU5D_t58506160* L_64 = ___indata; NullCheck(L_64); IL2CPP_ARRAY_BOUNDS_CHECK(L_64, ((int32_t)26)); int32_t L_65 = ((int32_t)26); ByteU5BU5D_t58506160* L_66 = ___indata; NullCheck(L_66); IL2CPP_ARRAY_BOUNDS_CHECK(L_66, ((int32_t)27)); int32_t L_67 = ((int32_t)27); UInt32U5BU5D_t2133601851* L_68 = ___ekey; NullCheck(L_68); IL2CPP_ARRAY_BOUNDS_CHECK(L_68, 6); int32_t L_69 = 6; V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_60)->GetAt(static_cast<il2cpp_array_size_t>(L_61)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_62)->GetAt(static_cast<il2cpp_array_size_t>(L_63)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_64)->GetAt(static_cast<il2cpp_array_size_t>(L_65)))<<(int32_t)8))))|(int32_t)((L_66)->GetAt(static_cast<il2cpp_array_size_t>(L_67)))))^(int32_t)((L_68)->GetAt(static_cast<il2cpp_array_size_t>(L_69))))); ByteU5BU5D_t58506160* L_70 = ___indata; NullCheck(L_70); IL2CPP_ARRAY_BOUNDS_CHECK(L_70, ((int32_t)28)); int32_t L_71 = ((int32_t)28); ByteU5BU5D_t58506160* L_72 = ___indata; NullCheck(L_72); IL2CPP_ARRAY_BOUNDS_CHECK(L_72, ((int32_t)29)); int32_t L_73 = ((int32_t)29); ByteU5BU5D_t58506160* L_74 = ___indata; NullCheck(L_74); IL2CPP_ARRAY_BOUNDS_CHECK(L_74, ((int32_t)30)); int32_t L_75 = ((int32_t)30); ByteU5BU5D_t58506160* L_76 = ___indata; NullCheck(L_76); IL2CPP_ARRAY_BOUNDS_CHECK(L_76, ((int32_t)31)); int32_t L_77 = ((int32_t)31); UInt32U5BU5D_t2133601851* L_78 = ___ekey; NullCheck(L_78); IL2CPP_ARRAY_BOUNDS_CHECK(L_78, 7); int32_t L_79 = 7; V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_70)->GetAt(static_cast<il2cpp_array_size_t>(L_71)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_72)->GetAt(static_cast<il2cpp_array_size_t>(L_73)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_74)->GetAt(static_cast<il2cpp_array_size_t>(L_75)))<<(int32_t)8))))|(int32_t)((L_76)->GetAt(static_cast<il2cpp_array_size_t>(L_77)))))^(int32_t)((L_78)->GetAt(static_cast<il2cpp_array_size_t>(L_79))))); IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_80 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_81 = V_0; NullCheck(L_80); IL2CPP_ARRAY_BOUNDS_CHECK(L_80, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_81>>((int32_t)24)))))); uintptr_t L_82 = (((uintptr_t)((int32_t)((uint32_t)L_81>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_83 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_84 = V_1; NullCheck(L_83); IL2CPP_ARRAY_BOUNDS_CHECK(L_83, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_84>>((int32_t)16))))))); int32_t L_85 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_84>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_86 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_87 = V_3; NullCheck(L_86); IL2CPP_ARRAY_BOUNDS_CHECK(L_86, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_87>>8)))))); int32_t L_88 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_87>>8))))); UInt32U5BU5D_t2133601851* L_89 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_90 = V_4; NullCheck(L_89); IL2CPP_ARRAY_BOUNDS_CHECK(L_89, (((int32_t)((uint8_t)L_90)))); int32_t L_91 = (((int32_t)((uint8_t)L_90))); UInt32U5BU5D_t2133601851* L_92 = ___ekey; NullCheck(L_92); IL2CPP_ARRAY_BOUNDS_CHECK(L_92, 8); int32_t L_93 = 8; V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_80)->GetAt(static_cast<il2cpp_array_size_t>(L_82)))^(int32_t)((L_83)->GetAt(static_cast<il2cpp_array_size_t>(L_85)))))^(int32_t)((L_86)->GetAt(static_cast<il2cpp_array_size_t>(L_88)))))^(int32_t)((L_89)->GetAt(static_cast<il2cpp_array_size_t>(L_91)))))^(int32_t)((L_92)->GetAt(static_cast<il2cpp_array_size_t>(L_93))))); UInt32U5BU5D_t2133601851* L_94 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_95 = V_1; NullCheck(L_94); IL2CPP_ARRAY_BOUNDS_CHECK(L_94, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_95>>((int32_t)24)))))); uintptr_t L_96 = (((uintptr_t)((int32_t)((uint32_t)L_95>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_97 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_98 = V_2; NullCheck(L_97); IL2CPP_ARRAY_BOUNDS_CHECK(L_97, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_98>>((int32_t)16))))))); int32_t L_99 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_98>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_100 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_101 = V_4; NullCheck(L_100); IL2CPP_ARRAY_BOUNDS_CHECK(L_100, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_101>>8)))))); int32_t L_102 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_101>>8))))); UInt32U5BU5D_t2133601851* L_103 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_104 = V_5; NullCheck(L_103); IL2CPP_ARRAY_BOUNDS_CHECK(L_103, (((int32_t)((uint8_t)L_104)))); int32_t L_105 = (((int32_t)((uint8_t)L_104))); UInt32U5BU5D_t2133601851* L_106 = ___ekey; NullCheck(L_106); IL2CPP_ARRAY_BOUNDS_CHECK(L_106, ((int32_t)9)); int32_t L_107 = ((int32_t)9); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_94)->GetAt(static_cast<il2cpp_array_size_t>(L_96)))^(int32_t)((L_97)->GetAt(static_cast<il2cpp_array_size_t>(L_99)))))^(int32_t)((L_100)->GetAt(static_cast<il2cpp_array_size_t>(L_102)))))^(int32_t)((L_103)->GetAt(static_cast<il2cpp_array_size_t>(L_105)))))^(int32_t)((L_106)->GetAt(static_cast<il2cpp_array_size_t>(L_107))))); UInt32U5BU5D_t2133601851* L_108 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_109 = V_2; NullCheck(L_108); IL2CPP_ARRAY_BOUNDS_CHECK(L_108, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_109>>((int32_t)24)))))); uintptr_t L_110 = (((uintptr_t)((int32_t)((uint32_t)L_109>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_111 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_112 = V_3; NullCheck(L_111); IL2CPP_ARRAY_BOUNDS_CHECK(L_111, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_112>>((int32_t)16))))))); int32_t L_113 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_112>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_114 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_115 = V_5; NullCheck(L_114); IL2CPP_ARRAY_BOUNDS_CHECK(L_114, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_115>>8)))))); int32_t L_116 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_115>>8))))); UInt32U5BU5D_t2133601851* L_117 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_118 = V_6; NullCheck(L_117); IL2CPP_ARRAY_BOUNDS_CHECK(L_117, (((int32_t)((uint8_t)L_118)))); int32_t L_119 = (((int32_t)((uint8_t)L_118))); UInt32U5BU5D_t2133601851* L_120 = ___ekey; NullCheck(L_120); IL2CPP_ARRAY_BOUNDS_CHECK(L_120, ((int32_t)10)); int32_t L_121 = ((int32_t)10); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_108)->GetAt(static_cast<il2cpp_array_size_t>(L_110)))^(int32_t)((L_111)->GetAt(static_cast<il2cpp_array_size_t>(L_113)))))^(int32_t)((L_114)->GetAt(static_cast<il2cpp_array_size_t>(L_116)))))^(int32_t)((L_117)->GetAt(static_cast<il2cpp_array_size_t>(L_119)))))^(int32_t)((L_120)->GetAt(static_cast<il2cpp_array_size_t>(L_121))))); UInt32U5BU5D_t2133601851* L_122 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_123 = V_3; NullCheck(L_122); IL2CPP_ARRAY_BOUNDS_CHECK(L_122, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_123>>((int32_t)24)))))); uintptr_t L_124 = (((uintptr_t)((int32_t)((uint32_t)L_123>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_125 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_126 = V_4; NullCheck(L_125); IL2CPP_ARRAY_BOUNDS_CHECK(L_125, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_126>>((int32_t)16))))))); int32_t L_127 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_126>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_128 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_129 = V_6; NullCheck(L_128); IL2CPP_ARRAY_BOUNDS_CHECK(L_128, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_129>>8)))))); int32_t L_130 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_129>>8))))); UInt32U5BU5D_t2133601851* L_131 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_132 = V_7; NullCheck(L_131); IL2CPP_ARRAY_BOUNDS_CHECK(L_131, (((int32_t)((uint8_t)L_132)))); int32_t L_133 = (((int32_t)((uint8_t)L_132))); UInt32U5BU5D_t2133601851* L_134 = ___ekey; NullCheck(L_134); IL2CPP_ARRAY_BOUNDS_CHECK(L_134, ((int32_t)11)); int32_t L_135 = ((int32_t)11); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_122)->GetAt(static_cast<il2cpp_array_size_t>(L_124)))^(int32_t)((L_125)->GetAt(static_cast<il2cpp_array_size_t>(L_127)))))^(int32_t)((L_128)->GetAt(static_cast<il2cpp_array_size_t>(L_130)))))^(int32_t)((L_131)->GetAt(static_cast<il2cpp_array_size_t>(L_133)))))^(int32_t)((L_134)->GetAt(static_cast<il2cpp_array_size_t>(L_135))))); UInt32U5BU5D_t2133601851* L_136 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_137 = V_4; NullCheck(L_136); IL2CPP_ARRAY_BOUNDS_CHECK(L_136, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_137>>((int32_t)24)))))); uintptr_t L_138 = (((uintptr_t)((int32_t)((uint32_t)L_137>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_139 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_140 = V_5; NullCheck(L_139); IL2CPP_ARRAY_BOUNDS_CHECK(L_139, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_140>>((int32_t)16))))))); int32_t L_141 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_140>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_142 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_143 = V_7; NullCheck(L_142); IL2CPP_ARRAY_BOUNDS_CHECK(L_142, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_143>>8)))))); int32_t L_144 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_143>>8))))); UInt32U5BU5D_t2133601851* L_145 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_146 = V_0; NullCheck(L_145); IL2CPP_ARRAY_BOUNDS_CHECK(L_145, (((int32_t)((uint8_t)L_146)))); int32_t L_147 = (((int32_t)((uint8_t)L_146))); UInt32U5BU5D_t2133601851* L_148 = ___ekey; NullCheck(L_148); IL2CPP_ARRAY_BOUNDS_CHECK(L_148, ((int32_t)12)); int32_t L_149 = ((int32_t)12); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_136)->GetAt(static_cast<il2cpp_array_size_t>(L_138)))^(int32_t)((L_139)->GetAt(static_cast<il2cpp_array_size_t>(L_141)))))^(int32_t)((L_142)->GetAt(static_cast<il2cpp_array_size_t>(L_144)))))^(int32_t)((L_145)->GetAt(static_cast<il2cpp_array_size_t>(L_147)))))^(int32_t)((L_148)->GetAt(static_cast<il2cpp_array_size_t>(L_149))))); UInt32U5BU5D_t2133601851* L_150 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_151 = V_5; NullCheck(L_150); IL2CPP_ARRAY_BOUNDS_CHECK(L_150, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_151>>((int32_t)24)))))); uintptr_t L_152 = (((uintptr_t)((int32_t)((uint32_t)L_151>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_153 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_154 = V_6; NullCheck(L_153); IL2CPP_ARRAY_BOUNDS_CHECK(L_153, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_154>>((int32_t)16))))))); int32_t L_155 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_154>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_156 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_157 = V_0; NullCheck(L_156); IL2CPP_ARRAY_BOUNDS_CHECK(L_156, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_157>>8)))))); int32_t L_158 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_157>>8))))); UInt32U5BU5D_t2133601851* L_159 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_160 = V_1; NullCheck(L_159); IL2CPP_ARRAY_BOUNDS_CHECK(L_159, (((int32_t)((uint8_t)L_160)))); int32_t L_161 = (((int32_t)((uint8_t)L_160))); UInt32U5BU5D_t2133601851* L_162 = ___ekey; NullCheck(L_162); IL2CPP_ARRAY_BOUNDS_CHECK(L_162, ((int32_t)13)); int32_t L_163 = ((int32_t)13); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_150)->GetAt(static_cast<il2cpp_array_size_t>(L_152)))^(int32_t)((L_153)->GetAt(static_cast<il2cpp_array_size_t>(L_155)))))^(int32_t)((L_156)->GetAt(static_cast<il2cpp_array_size_t>(L_158)))))^(int32_t)((L_159)->GetAt(static_cast<il2cpp_array_size_t>(L_161)))))^(int32_t)((L_162)->GetAt(static_cast<il2cpp_array_size_t>(L_163))))); UInt32U5BU5D_t2133601851* L_164 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_165 = V_6; NullCheck(L_164); IL2CPP_ARRAY_BOUNDS_CHECK(L_164, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_165>>((int32_t)24)))))); uintptr_t L_166 = (((uintptr_t)((int32_t)((uint32_t)L_165>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_167 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_168 = V_7; NullCheck(L_167); IL2CPP_ARRAY_BOUNDS_CHECK(L_167, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_168>>((int32_t)16))))))); int32_t L_169 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_168>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_170 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_171 = V_1; NullCheck(L_170); IL2CPP_ARRAY_BOUNDS_CHECK(L_170, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_171>>8)))))); int32_t L_172 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_171>>8))))); UInt32U5BU5D_t2133601851* L_173 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_174 = V_2; NullCheck(L_173); IL2CPP_ARRAY_BOUNDS_CHECK(L_173, (((int32_t)((uint8_t)L_174)))); int32_t L_175 = (((int32_t)((uint8_t)L_174))); UInt32U5BU5D_t2133601851* L_176 = ___ekey; NullCheck(L_176); IL2CPP_ARRAY_BOUNDS_CHECK(L_176, ((int32_t)14)); int32_t L_177 = ((int32_t)14); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_164)->GetAt(static_cast<il2cpp_array_size_t>(L_166)))^(int32_t)((L_167)->GetAt(static_cast<il2cpp_array_size_t>(L_169)))))^(int32_t)((L_170)->GetAt(static_cast<il2cpp_array_size_t>(L_172)))))^(int32_t)((L_173)->GetAt(static_cast<il2cpp_array_size_t>(L_175)))))^(int32_t)((L_176)->GetAt(static_cast<il2cpp_array_size_t>(L_177))))); UInt32U5BU5D_t2133601851* L_178 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_179 = V_7; NullCheck(L_178); IL2CPP_ARRAY_BOUNDS_CHECK(L_178, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_179>>((int32_t)24)))))); uintptr_t L_180 = (((uintptr_t)((int32_t)((uint32_t)L_179>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_181 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_182 = V_0; NullCheck(L_181); IL2CPP_ARRAY_BOUNDS_CHECK(L_181, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_182>>((int32_t)16))))))); int32_t L_183 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_182>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_184 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_185 = V_2; NullCheck(L_184); IL2CPP_ARRAY_BOUNDS_CHECK(L_184, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_185>>8)))))); int32_t L_186 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_185>>8))))); UInt32U5BU5D_t2133601851* L_187 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_188 = V_3; NullCheck(L_187); IL2CPP_ARRAY_BOUNDS_CHECK(L_187, (((int32_t)((uint8_t)L_188)))); int32_t L_189 = (((int32_t)((uint8_t)L_188))); UInt32U5BU5D_t2133601851* L_190 = ___ekey; NullCheck(L_190); IL2CPP_ARRAY_BOUNDS_CHECK(L_190, ((int32_t)15)); int32_t L_191 = ((int32_t)15); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_178)->GetAt(static_cast<il2cpp_array_size_t>(L_180)))^(int32_t)((L_181)->GetAt(static_cast<il2cpp_array_size_t>(L_183)))))^(int32_t)((L_184)->GetAt(static_cast<il2cpp_array_size_t>(L_186)))))^(int32_t)((L_187)->GetAt(static_cast<il2cpp_array_size_t>(L_189)))))^(int32_t)((L_190)->GetAt(static_cast<il2cpp_array_size_t>(L_191))))); UInt32U5BU5D_t2133601851* L_192 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_193 = V_8; NullCheck(L_192); IL2CPP_ARRAY_BOUNDS_CHECK(L_192, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_193>>((int32_t)24)))))); uintptr_t L_194 = (((uintptr_t)((int32_t)((uint32_t)L_193>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_195 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_196 = V_9; NullCheck(L_195); IL2CPP_ARRAY_BOUNDS_CHECK(L_195, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_196>>((int32_t)16))))))); int32_t L_197 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_196>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_198 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_199 = V_11; NullCheck(L_198); IL2CPP_ARRAY_BOUNDS_CHECK(L_198, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_199>>8)))))); int32_t L_200 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_199>>8))))); UInt32U5BU5D_t2133601851* L_201 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_202 = V_12; NullCheck(L_201); IL2CPP_ARRAY_BOUNDS_CHECK(L_201, (((int32_t)((uint8_t)L_202)))); int32_t L_203 = (((int32_t)((uint8_t)L_202))); UInt32U5BU5D_t2133601851* L_204 = ___ekey; NullCheck(L_204); IL2CPP_ARRAY_BOUNDS_CHECK(L_204, ((int32_t)16)); int32_t L_205 = ((int32_t)16); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_192)->GetAt(static_cast<il2cpp_array_size_t>(L_194)))^(int32_t)((L_195)->GetAt(static_cast<il2cpp_array_size_t>(L_197)))))^(int32_t)((L_198)->GetAt(static_cast<il2cpp_array_size_t>(L_200)))))^(int32_t)((L_201)->GetAt(static_cast<il2cpp_array_size_t>(L_203)))))^(int32_t)((L_204)->GetAt(static_cast<il2cpp_array_size_t>(L_205))))); UInt32U5BU5D_t2133601851* L_206 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_207 = V_9; NullCheck(L_206); IL2CPP_ARRAY_BOUNDS_CHECK(L_206, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_207>>((int32_t)24)))))); uintptr_t L_208 = (((uintptr_t)((int32_t)((uint32_t)L_207>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_209 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_210 = V_10; NullCheck(L_209); IL2CPP_ARRAY_BOUNDS_CHECK(L_209, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_210>>((int32_t)16))))))); int32_t L_211 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_210>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_212 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_213 = V_12; NullCheck(L_212); IL2CPP_ARRAY_BOUNDS_CHECK(L_212, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_213>>8)))))); int32_t L_214 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_213>>8))))); UInt32U5BU5D_t2133601851* L_215 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_216 = V_13; NullCheck(L_215); IL2CPP_ARRAY_BOUNDS_CHECK(L_215, (((int32_t)((uint8_t)L_216)))); int32_t L_217 = (((int32_t)((uint8_t)L_216))); UInt32U5BU5D_t2133601851* L_218 = ___ekey; NullCheck(L_218); IL2CPP_ARRAY_BOUNDS_CHECK(L_218, ((int32_t)17)); int32_t L_219 = ((int32_t)17); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_206)->GetAt(static_cast<il2cpp_array_size_t>(L_208)))^(int32_t)((L_209)->GetAt(static_cast<il2cpp_array_size_t>(L_211)))))^(int32_t)((L_212)->GetAt(static_cast<il2cpp_array_size_t>(L_214)))))^(int32_t)((L_215)->GetAt(static_cast<il2cpp_array_size_t>(L_217)))))^(int32_t)((L_218)->GetAt(static_cast<il2cpp_array_size_t>(L_219))))); UInt32U5BU5D_t2133601851* L_220 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_221 = V_10; NullCheck(L_220); IL2CPP_ARRAY_BOUNDS_CHECK(L_220, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_221>>((int32_t)24)))))); uintptr_t L_222 = (((uintptr_t)((int32_t)((uint32_t)L_221>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_223 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_224 = V_11; NullCheck(L_223); IL2CPP_ARRAY_BOUNDS_CHECK(L_223, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_224>>((int32_t)16))))))); int32_t L_225 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_224>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_226 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_227 = V_13; NullCheck(L_226); IL2CPP_ARRAY_BOUNDS_CHECK(L_226, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_227>>8)))))); int32_t L_228 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_227>>8))))); UInt32U5BU5D_t2133601851* L_229 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_230 = V_14; NullCheck(L_229); IL2CPP_ARRAY_BOUNDS_CHECK(L_229, (((int32_t)((uint8_t)L_230)))); int32_t L_231 = (((int32_t)((uint8_t)L_230))); UInt32U5BU5D_t2133601851* L_232 = ___ekey; NullCheck(L_232); IL2CPP_ARRAY_BOUNDS_CHECK(L_232, ((int32_t)18)); int32_t L_233 = ((int32_t)18); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_220)->GetAt(static_cast<il2cpp_array_size_t>(L_222)))^(int32_t)((L_223)->GetAt(static_cast<il2cpp_array_size_t>(L_225)))))^(int32_t)((L_226)->GetAt(static_cast<il2cpp_array_size_t>(L_228)))))^(int32_t)((L_229)->GetAt(static_cast<il2cpp_array_size_t>(L_231)))))^(int32_t)((L_232)->GetAt(static_cast<il2cpp_array_size_t>(L_233))))); UInt32U5BU5D_t2133601851* L_234 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_235 = V_11; NullCheck(L_234); IL2CPP_ARRAY_BOUNDS_CHECK(L_234, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_235>>((int32_t)24)))))); uintptr_t L_236 = (((uintptr_t)((int32_t)((uint32_t)L_235>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_237 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_238 = V_12; NullCheck(L_237); IL2CPP_ARRAY_BOUNDS_CHECK(L_237, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_238>>((int32_t)16))))))); int32_t L_239 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_238>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_240 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_241 = V_14; NullCheck(L_240); IL2CPP_ARRAY_BOUNDS_CHECK(L_240, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_241>>8)))))); int32_t L_242 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_241>>8))))); UInt32U5BU5D_t2133601851* L_243 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_244 = V_15; NullCheck(L_243); IL2CPP_ARRAY_BOUNDS_CHECK(L_243, (((int32_t)((uint8_t)L_244)))); int32_t L_245 = (((int32_t)((uint8_t)L_244))); UInt32U5BU5D_t2133601851* L_246 = ___ekey; NullCheck(L_246); IL2CPP_ARRAY_BOUNDS_CHECK(L_246, ((int32_t)19)); int32_t L_247 = ((int32_t)19); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_234)->GetAt(static_cast<il2cpp_array_size_t>(L_236)))^(int32_t)((L_237)->GetAt(static_cast<il2cpp_array_size_t>(L_239)))))^(int32_t)((L_240)->GetAt(static_cast<il2cpp_array_size_t>(L_242)))))^(int32_t)((L_243)->GetAt(static_cast<il2cpp_array_size_t>(L_245)))))^(int32_t)((L_246)->GetAt(static_cast<il2cpp_array_size_t>(L_247))))); UInt32U5BU5D_t2133601851* L_248 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_249 = V_12; NullCheck(L_248); IL2CPP_ARRAY_BOUNDS_CHECK(L_248, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_249>>((int32_t)24)))))); uintptr_t L_250 = (((uintptr_t)((int32_t)((uint32_t)L_249>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_251 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_252 = V_13; NullCheck(L_251); IL2CPP_ARRAY_BOUNDS_CHECK(L_251, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_252>>((int32_t)16))))))); int32_t L_253 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_252>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_254 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_255 = V_15; NullCheck(L_254); IL2CPP_ARRAY_BOUNDS_CHECK(L_254, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_255>>8)))))); int32_t L_256 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_255>>8))))); UInt32U5BU5D_t2133601851* L_257 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_258 = V_8; NullCheck(L_257); IL2CPP_ARRAY_BOUNDS_CHECK(L_257, (((int32_t)((uint8_t)L_258)))); int32_t L_259 = (((int32_t)((uint8_t)L_258))); UInt32U5BU5D_t2133601851* L_260 = ___ekey; NullCheck(L_260); IL2CPP_ARRAY_BOUNDS_CHECK(L_260, ((int32_t)20)); int32_t L_261 = ((int32_t)20); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_248)->GetAt(static_cast<il2cpp_array_size_t>(L_250)))^(int32_t)((L_251)->GetAt(static_cast<il2cpp_array_size_t>(L_253)))))^(int32_t)((L_254)->GetAt(static_cast<il2cpp_array_size_t>(L_256)))))^(int32_t)((L_257)->GetAt(static_cast<il2cpp_array_size_t>(L_259)))))^(int32_t)((L_260)->GetAt(static_cast<il2cpp_array_size_t>(L_261))))); UInt32U5BU5D_t2133601851* L_262 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_263 = V_13; NullCheck(L_262); IL2CPP_ARRAY_BOUNDS_CHECK(L_262, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_263>>((int32_t)24)))))); uintptr_t L_264 = (((uintptr_t)((int32_t)((uint32_t)L_263>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_265 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_266 = V_14; NullCheck(L_265); IL2CPP_ARRAY_BOUNDS_CHECK(L_265, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_266>>((int32_t)16))))))); int32_t L_267 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_266>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_268 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_269 = V_8; NullCheck(L_268); IL2CPP_ARRAY_BOUNDS_CHECK(L_268, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_269>>8)))))); int32_t L_270 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_269>>8))))); UInt32U5BU5D_t2133601851* L_271 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_272 = V_9; NullCheck(L_271); IL2CPP_ARRAY_BOUNDS_CHECK(L_271, (((int32_t)((uint8_t)L_272)))); int32_t L_273 = (((int32_t)((uint8_t)L_272))); UInt32U5BU5D_t2133601851* L_274 = ___ekey; NullCheck(L_274); IL2CPP_ARRAY_BOUNDS_CHECK(L_274, ((int32_t)21)); int32_t L_275 = ((int32_t)21); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_262)->GetAt(static_cast<il2cpp_array_size_t>(L_264)))^(int32_t)((L_265)->GetAt(static_cast<il2cpp_array_size_t>(L_267)))))^(int32_t)((L_268)->GetAt(static_cast<il2cpp_array_size_t>(L_270)))))^(int32_t)((L_271)->GetAt(static_cast<il2cpp_array_size_t>(L_273)))))^(int32_t)((L_274)->GetAt(static_cast<il2cpp_array_size_t>(L_275))))); UInt32U5BU5D_t2133601851* L_276 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_277 = V_14; NullCheck(L_276); IL2CPP_ARRAY_BOUNDS_CHECK(L_276, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_277>>((int32_t)24)))))); uintptr_t L_278 = (((uintptr_t)((int32_t)((uint32_t)L_277>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_279 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_280 = V_15; NullCheck(L_279); IL2CPP_ARRAY_BOUNDS_CHECK(L_279, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_280>>((int32_t)16))))))); int32_t L_281 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_280>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_282 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_283 = V_9; NullCheck(L_282); IL2CPP_ARRAY_BOUNDS_CHECK(L_282, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_283>>8)))))); int32_t L_284 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_283>>8))))); UInt32U5BU5D_t2133601851* L_285 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_286 = V_10; NullCheck(L_285); IL2CPP_ARRAY_BOUNDS_CHECK(L_285, (((int32_t)((uint8_t)L_286)))); int32_t L_287 = (((int32_t)((uint8_t)L_286))); UInt32U5BU5D_t2133601851* L_288 = ___ekey; NullCheck(L_288); IL2CPP_ARRAY_BOUNDS_CHECK(L_288, ((int32_t)22)); int32_t L_289 = ((int32_t)22); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_276)->GetAt(static_cast<il2cpp_array_size_t>(L_278)))^(int32_t)((L_279)->GetAt(static_cast<il2cpp_array_size_t>(L_281)))))^(int32_t)((L_282)->GetAt(static_cast<il2cpp_array_size_t>(L_284)))))^(int32_t)((L_285)->GetAt(static_cast<il2cpp_array_size_t>(L_287)))))^(int32_t)((L_288)->GetAt(static_cast<il2cpp_array_size_t>(L_289))))); UInt32U5BU5D_t2133601851* L_290 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_291 = V_15; NullCheck(L_290); IL2CPP_ARRAY_BOUNDS_CHECK(L_290, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_291>>((int32_t)24)))))); uintptr_t L_292 = (((uintptr_t)((int32_t)((uint32_t)L_291>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_293 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_294 = V_8; NullCheck(L_293); IL2CPP_ARRAY_BOUNDS_CHECK(L_293, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_294>>((int32_t)16))))))); int32_t L_295 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_294>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_296 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_297 = V_10; NullCheck(L_296); IL2CPP_ARRAY_BOUNDS_CHECK(L_296, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_297>>8)))))); int32_t L_298 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_297>>8))))); UInt32U5BU5D_t2133601851* L_299 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_300 = V_11; NullCheck(L_299); IL2CPP_ARRAY_BOUNDS_CHECK(L_299, (((int32_t)((uint8_t)L_300)))); int32_t L_301 = (((int32_t)((uint8_t)L_300))); UInt32U5BU5D_t2133601851* L_302 = ___ekey; NullCheck(L_302); IL2CPP_ARRAY_BOUNDS_CHECK(L_302, ((int32_t)23)); int32_t L_303 = ((int32_t)23); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_290)->GetAt(static_cast<il2cpp_array_size_t>(L_292)))^(int32_t)((L_293)->GetAt(static_cast<il2cpp_array_size_t>(L_295)))))^(int32_t)((L_296)->GetAt(static_cast<il2cpp_array_size_t>(L_298)))))^(int32_t)((L_299)->GetAt(static_cast<il2cpp_array_size_t>(L_301)))))^(int32_t)((L_302)->GetAt(static_cast<il2cpp_array_size_t>(L_303))))); UInt32U5BU5D_t2133601851* L_304 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_305 = V_0; NullCheck(L_304); IL2CPP_ARRAY_BOUNDS_CHECK(L_304, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_305>>((int32_t)24)))))); uintptr_t L_306 = (((uintptr_t)((int32_t)((uint32_t)L_305>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_307 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_308 = V_1; NullCheck(L_307); IL2CPP_ARRAY_BOUNDS_CHECK(L_307, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_308>>((int32_t)16))))))); int32_t L_309 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_308>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_310 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_311 = V_3; NullCheck(L_310); IL2CPP_ARRAY_BOUNDS_CHECK(L_310, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_311>>8)))))); int32_t L_312 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_311>>8))))); UInt32U5BU5D_t2133601851* L_313 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_314 = V_4; NullCheck(L_313); IL2CPP_ARRAY_BOUNDS_CHECK(L_313, (((int32_t)((uint8_t)L_314)))); int32_t L_315 = (((int32_t)((uint8_t)L_314))); UInt32U5BU5D_t2133601851* L_316 = ___ekey; NullCheck(L_316); IL2CPP_ARRAY_BOUNDS_CHECK(L_316, ((int32_t)24)); int32_t L_317 = ((int32_t)24); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_304)->GetAt(static_cast<il2cpp_array_size_t>(L_306)))^(int32_t)((L_307)->GetAt(static_cast<il2cpp_array_size_t>(L_309)))))^(int32_t)((L_310)->GetAt(static_cast<il2cpp_array_size_t>(L_312)))))^(int32_t)((L_313)->GetAt(static_cast<il2cpp_array_size_t>(L_315)))))^(int32_t)((L_316)->GetAt(static_cast<il2cpp_array_size_t>(L_317))))); UInt32U5BU5D_t2133601851* L_318 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_319 = V_1; NullCheck(L_318); IL2CPP_ARRAY_BOUNDS_CHECK(L_318, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_319>>((int32_t)24)))))); uintptr_t L_320 = (((uintptr_t)((int32_t)((uint32_t)L_319>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_321 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_322 = V_2; NullCheck(L_321); IL2CPP_ARRAY_BOUNDS_CHECK(L_321, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_322>>((int32_t)16))))))); int32_t L_323 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_322>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_324 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_325 = V_4; NullCheck(L_324); IL2CPP_ARRAY_BOUNDS_CHECK(L_324, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_325>>8)))))); int32_t L_326 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_325>>8))))); UInt32U5BU5D_t2133601851* L_327 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_328 = V_5; NullCheck(L_327); IL2CPP_ARRAY_BOUNDS_CHECK(L_327, (((int32_t)((uint8_t)L_328)))); int32_t L_329 = (((int32_t)((uint8_t)L_328))); UInt32U5BU5D_t2133601851* L_330 = ___ekey; NullCheck(L_330); IL2CPP_ARRAY_BOUNDS_CHECK(L_330, ((int32_t)25)); int32_t L_331 = ((int32_t)25); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_318)->GetAt(static_cast<il2cpp_array_size_t>(L_320)))^(int32_t)((L_321)->GetAt(static_cast<il2cpp_array_size_t>(L_323)))))^(int32_t)((L_324)->GetAt(static_cast<il2cpp_array_size_t>(L_326)))))^(int32_t)((L_327)->GetAt(static_cast<il2cpp_array_size_t>(L_329)))))^(int32_t)((L_330)->GetAt(static_cast<il2cpp_array_size_t>(L_331))))); UInt32U5BU5D_t2133601851* L_332 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_333 = V_2; NullCheck(L_332); IL2CPP_ARRAY_BOUNDS_CHECK(L_332, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_333>>((int32_t)24)))))); uintptr_t L_334 = (((uintptr_t)((int32_t)((uint32_t)L_333>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_335 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_336 = V_3; NullCheck(L_335); IL2CPP_ARRAY_BOUNDS_CHECK(L_335, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_336>>((int32_t)16))))))); int32_t L_337 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_336>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_338 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_339 = V_5; NullCheck(L_338); IL2CPP_ARRAY_BOUNDS_CHECK(L_338, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_339>>8)))))); int32_t L_340 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_339>>8))))); UInt32U5BU5D_t2133601851* L_341 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_342 = V_6; NullCheck(L_341); IL2CPP_ARRAY_BOUNDS_CHECK(L_341, (((int32_t)((uint8_t)L_342)))); int32_t L_343 = (((int32_t)((uint8_t)L_342))); UInt32U5BU5D_t2133601851* L_344 = ___ekey; NullCheck(L_344); IL2CPP_ARRAY_BOUNDS_CHECK(L_344, ((int32_t)26)); int32_t L_345 = ((int32_t)26); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_332)->GetAt(static_cast<il2cpp_array_size_t>(L_334)))^(int32_t)((L_335)->GetAt(static_cast<il2cpp_array_size_t>(L_337)))))^(int32_t)((L_338)->GetAt(static_cast<il2cpp_array_size_t>(L_340)))))^(int32_t)((L_341)->GetAt(static_cast<il2cpp_array_size_t>(L_343)))))^(int32_t)((L_344)->GetAt(static_cast<il2cpp_array_size_t>(L_345))))); UInt32U5BU5D_t2133601851* L_346 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_347 = V_3; NullCheck(L_346); IL2CPP_ARRAY_BOUNDS_CHECK(L_346, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_347>>((int32_t)24)))))); uintptr_t L_348 = (((uintptr_t)((int32_t)((uint32_t)L_347>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_349 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_350 = V_4; NullCheck(L_349); IL2CPP_ARRAY_BOUNDS_CHECK(L_349, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_350>>((int32_t)16))))))); int32_t L_351 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_350>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_352 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_353 = V_6; NullCheck(L_352); IL2CPP_ARRAY_BOUNDS_CHECK(L_352, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_353>>8)))))); int32_t L_354 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_353>>8))))); UInt32U5BU5D_t2133601851* L_355 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_356 = V_7; NullCheck(L_355); IL2CPP_ARRAY_BOUNDS_CHECK(L_355, (((int32_t)((uint8_t)L_356)))); int32_t L_357 = (((int32_t)((uint8_t)L_356))); UInt32U5BU5D_t2133601851* L_358 = ___ekey; NullCheck(L_358); IL2CPP_ARRAY_BOUNDS_CHECK(L_358, ((int32_t)27)); int32_t L_359 = ((int32_t)27); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_346)->GetAt(static_cast<il2cpp_array_size_t>(L_348)))^(int32_t)((L_349)->GetAt(static_cast<il2cpp_array_size_t>(L_351)))))^(int32_t)((L_352)->GetAt(static_cast<il2cpp_array_size_t>(L_354)))))^(int32_t)((L_355)->GetAt(static_cast<il2cpp_array_size_t>(L_357)))))^(int32_t)((L_358)->GetAt(static_cast<il2cpp_array_size_t>(L_359))))); UInt32U5BU5D_t2133601851* L_360 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_361 = V_4; NullCheck(L_360); IL2CPP_ARRAY_BOUNDS_CHECK(L_360, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_361>>((int32_t)24)))))); uintptr_t L_362 = (((uintptr_t)((int32_t)((uint32_t)L_361>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_363 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_364 = V_5; NullCheck(L_363); IL2CPP_ARRAY_BOUNDS_CHECK(L_363, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_364>>((int32_t)16))))))); int32_t L_365 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_364>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_366 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_367 = V_7; NullCheck(L_366); IL2CPP_ARRAY_BOUNDS_CHECK(L_366, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_367>>8)))))); int32_t L_368 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_367>>8))))); UInt32U5BU5D_t2133601851* L_369 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_370 = V_0; NullCheck(L_369); IL2CPP_ARRAY_BOUNDS_CHECK(L_369, (((int32_t)((uint8_t)L_370)))); int32_t L_371 = (((int32_t)((uint8_t)L_370))); UInt32U5BU5D_t2133601851* L_372 = ___ekey; NullCheck(L_372); IL2CPP_ARRAY_BOUNDS_CHECK(L_372, ((int32_t)28)); int32_t L_373 = ((int32_t)28); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_360)->GetAt(static_cast<il2cpp_array_size_t>(L_362)))^(int32_t)((L_363)->GetAt(static_cast<il2cpp_array_size_t>(L_365)))))^(int32_t)((L_366)->GetAt(static_cast<il2cpp_array_size_t>(L_368)))))^(int32_t)((L_369)->GetAt(static_cast<il2cpp_array_size_t>(L_371)))))^(int32_t)((L_372)->GetAt(static_cast<il2cpp_array_size_t>(L_373))))); UInt32U5BU5D_t2133601851* L_374 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_375 = V_5; NullCheck(L_374); IL2CPP_ARRAY_BOUNDS_CHECK(L_374, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_375>>((int32_t)24)))))); uintptr_t L_376 = (((uintptr_t)((int32_t)((uint32_t)L_375>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_377 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_378 = V_6; NullCheck(L_377); IL2CPP_ARRAY_BOUNDS_CHECK(L_377, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_378>>((int32_t)16))))))); int32_t L_379 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_378>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_380 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_381 = V_0; NullCheck(L_380); IL2CPP_ARRAY_BOUNDS_CHECK(L_380, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_381>>8)))))); int32_t L_382 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_381>>8))))); UInt32U5BU5D_t2133601851* L_383 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_384 = V_1; NullCheck(L_383); IL2CPP_ARRAY_BOUNDS_CHECK(L_383, (((int32_t)((uint8_t)L_384)))); int32_t L_385 = (((int32_t)((uint8_t)L_384))); UInt32U5BU5D_t2133601851* L_386 = ___ekey; NullCheck(L_386); IL2CPP_ARRAY_BOUNDS_CHECK(L_386, ((int32_t)29)); int32_t L_387 = ((int32_t)29); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_374)->GetAt(static_cast<il2cpp_array_size_t>(L_376)))^(int32_t)((L_377)->GetAt(static_cast<il2cpp_array_size_t>(L_379)))))^(int32_t)((L_380)->GetAt(static_cast<il2cpp_array_size_t>(L_382)))))^(int32_t)((L_383)->GetAt(static_cast<il2cpp_array_size_t>(L_385)))))^(int32_t)((L_386)->GetAt(static_cast<il2cpp_array_size_t>(L_387))))); UInt32U5BU5D_t2133601851* L_388 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_389 = V_6; NullCheck(L_388); IL2CPP_ARRAY_BOUNDS_CHECK(L_388, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_389>>((int32_t)24)))))); uintptr_t L_390 = (((uintptr_t)((int32_t)((uint32_t)L_389>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_391 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_392 = V_7; NullCheck(L_391); IL2CPP_ARRAY_BOUNDS_CHECK(L_391, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_392>>((int32_t)16))))))); int32_t L_393 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_392>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_394 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_395 = V_1; NullCheck(L_394); IL2CPP_ARRAY_BOUNDS_CHECK(L_394, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_395>>8)))))); int32_t L_396 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_395>>8))))); UInt32U5BU5D_t2133601851* L_397 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_398 = V_2; NullCheck(L_397); IL2CPP_ARRAY_BOUNDS_CHECK(L_397, (((int32_t)((uint8_t)L_398)))); int32_t L_399 = (((int32_t)((uint8_t)L_398))); UInt32U5BU5D_t2133601851* L_400 = ___ekey; NullCheck(L_400); IL2CPP_ARRAY_BOUNDS_CHECK(L_400, ((int32_t)30)); int32_t L_401 = ((int32_t)30); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_388)->GetAt(static_cast<il2cpp_array_size_t>(L_390)))^(int32_t)((L_391)->GetAt(static_cast<il2cpp_array_size_t>(L_393)))))^(int32_t)((L_394)->GetAt(static_cast<il2cpp_array_size_t>(L_396)))))^(int32_t)((L_397)->GetAt(static_cast<il2cpp_array_size_t>(L_399)))))^(int32_t)((L_400)->GetAt(static_cast<il2cpp_array_size_t>(L_401))))); UInt32U5BU5D_t2133601851* L_402 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_403 = V_7; NullCheck(L_402); IL2CPP_ARRAY_BOUNDS_CHECK(L_402, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_403>>((int32_t)24)))))); uintptr_t L_404 = (((uintptr_t)((int32_t)((uint32_t)L_403>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_405 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_406 = V_0; NullCheck(L_405); IL2CPP_ARRAY_BOUNDS_CHECK(L_405, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_406>>((int32_t)16))))))); int32_t L_407 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_406>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_408 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_409 = V_2; NullCheck(L_408); IL2CPP_ARRAY_BOUNDS_CHECK(L_408, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_409>>8)))))); int32_t L_410 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_409>>8))))); UInt32U5BU5D_t2133601851* L_411 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_412 = V_3; NullCheck(L_411); IL2CPP_ARRAY_BOUNDS_CHECK(L_411, (((int32_t)((uint8_t)L_412)))); int32_t L_413 = (((int32_t)((uint8_t)L_412))); UInt32U5BU5D_t2133601851* L_414 = ___ekey; NullCheck(L_414); IL2CPP_ARRAY_BOUNDS_CHECK(L_414, ((int32_t)31)); int32_t L_415 = ((int32_t)31); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_402)->GetAt(static_cast<il2cpp_array_size_t>(L_404)))^(int32_t)((L_405)->GetAt(static_cast<il2cpp_array_size_t>(L_407)))))^(int32_t)((L_408)->GetAt(static_cast<il2cpp_array_size_t>(L_410)))))^(int32_t)((L_411)->GetAt(static_cast<il2cpp_array_size_t>(L_413)))))^(int32_t)((L_414)->GetAt(static_cast<il2cpp_array_size_t>(L_415))))); UInt32U5BU5D_t2133601851* L_416 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_417 = V_8; NullCheck(L_416); IL2CPP_ARRAY_BOUNDS_CHECK(L_416, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_417>>((int32_t)24)))))); uintptr_t L_418 = (((uintptr_t)((int32_t)((uint32_t)L_417>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_419 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_420 = V_9; NullCheck(L_419); IL2CPP_ARRAY_BOUNDS_CHECK(L_419, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_420>>((int32_t)16))))))); int32_t L_421 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_420>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_422 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_423 = V_11; NullCheck(L_422); IL2CPP_ARRAY_BOUNDS_CHECK(L_422, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_423>>8)))))); int32_t L_424 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_423>>8))))); UInt32U5BU5D_t2133601851* L_425 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_426 = V_12; NullCheck(L_425); IL2CPP_ARRAY_BOUNDS_CHECK(L_425, (((int32_t)((uint8_t)L_426)))); int32_t L_427 = (((int32_t)((uint8_t)L_426))); UInt32U5BU5D_t2133601851* L_428 = ___ekey; NullCheck(L_428); IL2CPP_ARRAY_BOUNDS_CHECK(L_428, ((int32_t)32)); int32_t L_429 = ((int32_t)32); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_416)->GetAt(static_cast<il2cpp_array_size_t>(L_418)))^(int32_t)((L_419)->GetAt(static_cast<il2cpp_array_size_t>(L_421)))))^(int32_t)((L_422)->GetAt(static_cast<il2cpp_array_size_t>(L_424)))))^(int32_t)((L_425)->GetAt(static_cast<il2cpp_array_size_t>(L_427)))))^(int32_t)((L_428)->GetAt(static_cast<il2cpp_array_size_t>(L_429))))); UInt32U5BU5D_t2133601851* L_430 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_431 = V_9; NullCheck(L_430); IL2CPP_ARRAY_BOUNDS_CHECK(L_430, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_431>>((int32_t)24)))))); uintptr_t L_432 = (((uintptr_t)((int32_t)((uint32_t)L_431>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_433 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_434 = V_10; NullCheck(L_433); IL2CPP_ARRAY_BOUNDS_CHECK(L_433, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_434>>((int32_t)16))))))); int32_t L_435 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_434>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_436 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_437 = V_12; NullCheck(L_436); IL2CPP_ARRAY_BOUNDS_CHECK(L_436, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_437>>8)))))); int32_t L_438 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_437>>8))))); UInt32U5BU5D_t2133601851* L_439 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_440 = V_13; NullCheck(L_439); IL2CPP_ARRAY_BOUNDS_CHECK(L_439, (((int32_t)((uint8_t)L_440)))); int32_t L_441 = (((int32_t)((uint8_t)L_440))); UInt32U5BU5D_t2133601851* L_442 = ___ekey; NullCheck(L_442); IL2CPP_ARRAY_BOUNDS_CHECK(L_442, ((int32_t)33)); int32_t L_443 = ((int32_t)33); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_430)->GetAt(static_cast<il2cpp_array_size_t>(L_432)))^(int32_t)((L_433)->GetAt(static_cast<il2cpp_array_size_t>(L_435)))))^(int32_t)((L_436)->GetAt(static_cast<il2cpp_array_size_t>(L_438)))))^(int32_t)((L_439)->GetAt(static_cast<il2cpp_array_size_t>(L_441)))))^(int32_t)((L_442)->GetAt(static_cast<il2cpp_array_size_t>(L_443))))); UInt32U5BU5D_t2133601851* L_444 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_445 = V_10; NullCheck(L_444); IL2CPP_ARRAY_BOUNDS_CHECK(L_444, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_445>>((int32_t)24)))))); uintptr_t L_446 = (((uintptr_t)((int32_t)((uint32_t)L_445>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_447 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_448 = V_11; NullCheck(L_447); IL2CPP_ARRAY_BOUNDS_CHECK(L_447, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_448>>((int32_t)16))))))); int32_t L_449 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_448>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_450 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_451 = V_13; NullCheck(L_450); IL2CPP_ARRAY_BOUNDS_CHECK(L_450, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_451>>8)))))); int32_t L_452 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_451>>8))))); UInt32U5BU5D_t2133601851* L_453 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_454 = V_14; NullCheck(L_453); IL2CPP_ARRAY_BOUNDS_CHECK(L_453, (((int32_t)((uint8_t)L_454)))); int32_t L_455 = (((int32_t)((uint8_t)L_454))); UInt32U5BU5D_t2133601851* L_456 = ___ekey; NullCheck(L_456); IL2CPP_ARRAY_BOUNDS_CHECK(L_456, ((int32_t)34)); int32_t L_457 = ((int32_t)34); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_444)->GetAt(static_cast<il2cpp_array_size_t>(L_446)))^(int32_t)((L_447)->GetAt(static_cast<il2cpp_array_size_t>(L_449)))))^(int32_t)((L_450)->GetAt(static_cast<il2cpp_array_size_t>(L_452)))))^(int32_t)((L_453)->GetAt(static_cast<il2cpp_array_size_t>(L_455)))))^(int32_t)((L_456)->GetAt(static_cast<il2cpp_array_size_t>(L_457))))); UInt32U5BU5D_t2133601851* L_458 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_459 = V_11; NullCheck(L_458); IL2CPP_ARRAY_BOUNDS_CHECK(L_458, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_459>>((int32_t)24)))))); uintptr_t L_460 = (((uintptr_t)((int32_t)((uint32_t)L_459>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_461 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_462 = V_12; NullCheck(L_461); IL2CPP_ARRAY_BOUNDS_CHECK(L_461, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_462>>((int32_t)16))))))); int32_t L_463 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_462>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_464 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_465 = V_14; NullCheck(L_464); IL2CPP_ARRAY_BOUNDS_CHECK(L_464, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_465>>8)))))); int32_t L_466 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_465>>8))))); UInt32U5BU5D_t2133601851* L_467 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_468 = V_15; NullCheck(L_467); IL2CPP_ARRAY_BOUNDS_CHECK(L_467, (((int32_t)((uint8_t)L_468)))); int32_t L_469 = (((int32_t)((uint8_t)L_468))); UInt32U5BU5D_t2133601851* L_470 = ___ekey; NullCheck(L_470); IL2CPP_ARRAY_BOUNDS_CHECK(L_470, ((int32_t)35)); int32_t L_471 = ((int32_t)35); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_458)->GetAt(static_cast<il2cpp_array_size_t>(L_460)))^(int32_t)((L_461)->GetAt(static_cast<il2cpp_array_size_t>(L_463)))))^(int32_t)((L_464)->GetAt(static_cast<il2cpp_array_size_t>(L_466)))))^(int32_t)((L_467)->GetAt(static_cast<il2cpp_array_size_t>(L_469)))))^(int32_t)((L_470)->GetAt(static_cast<il2cpp_array_size_t>(L_471))))); UInt32U5BU5D_t2133601851* L_472 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_473 = V_12; NullCheck(L_472); IL2CPP_ARRAY_BOUNDS_CHECK(L_472, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_473>>((int32_t)24)))))); uintptr_t L_474 = (((uintptr_t)((int32_t)((uint32_t)L_473>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_475 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_476 = V_13; NullCheck(L_475); IL2CPP_ARRAY_BOUNDS_CHECK(L_475, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_476>>((int32_t)16))))))); int32_t L_477 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_476>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_478 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_479 = V_15; NullCheck(L_478); IL2CPP_ARRAY_BOUNDS_CHECK(L_478, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_479>>8)))))); int32_t L_480 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_479>>8))))); UInt32U5BU5D_t2133601851* L_481 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_482 = V_8; NullCheck(L_481); IL2CPP_ARRAY_BOUNDS_CHECK(L_481, (((int32_t)((uint8_t)L_482)))); int32_t L_483 = (((int32_t)((uint8_t)L_482))); UInt32U5BU5D_t2133601851* L_484 = ___ekey; NullCheck(L_484); IL2CPP_ARRAY_BOUNDS_CHECK(L_484, ((int32_t)36)); int32_t L_485 = ((int32_t)36); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_472)->GetAt(static_cast<il2cpp_array_size_t>(L_474)))^(int32_t)((L_475)->GetAt(static_cast<il2cpp_array_size_t>(L_477)))))^(int32_t)((L_478)->GetAt(static_cast<il2cpp_array_size_t>(L_480)))))^(int32_t)((L_481)->GetAt(static_cast<il2cpp_array_size_t>(L_483)))))^(int32_t)((L_484)->GetAt(static_cast<il2cpp_array_size_t>(L_485))))); UInt32U5BU5D_t2133601851* L_486 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_487 = V_13; NullCheck(L_486); IL2CPP_ARRAY_BOUNDS_CHECK(L_486, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_487>>((int32_t)24)))))); uintptr_t L_488 = (((uintptr_t)((int32_t)((uint32_t)L_487>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_489 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_490 = V_14; NullCheck(L_489); IL2CPP_ARRAY_BOUNDS_CHECK(L_489, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_490>>((int32_t)16))))))); int32_t L_491 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_490>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_492 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_493 = V_8; NullCheck(L_492); IL2CPP_ARRAY_BOUNDS_CHECK(L_492, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_493>>8)))))); int32_t L_494 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_493>>8))))); UInt32U5BU5D_t2133601851* L_495 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_496 = V_9; NullCheck(L_495); IL2CPP_ARRAY_BOUNDS_CHECK(L_495, (((int32_t)((uint8_t)L_496)))); int32_t L_497 = (((int32_t)((uint8_t)L_496))); UInt32U5BU5D_t2133601851* L_498 = ___ekey; NullCheck(L_498); IL2CPP_ARRAY_BOUNDS_CHECK(L_498, ((int32_t)37)); int32_t L_499 = ((int32_t)37); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_486)->GetAt(static_cast<il2cpp_array_size_t>(L_488)))^(int32_t)((L_489)->GetAt(static_cast<il2cpp_array_size_t>(L_491)))))^(int32_t)((L_492)->GetAt(static_cast<il2cpp_array_size_t>(L_494)))))^(int32_t)((L_495)->GetAt(static_cast<il2cpp_array_size_t>(L_497)))))^(int32_t)((L_498)->GetAt(static_cast<il2cpp_array_size_t>(L_499))))); UInt32U5BU5D_t2133601851* L_500 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_501 = V_14; NullCheck(L_500); IL2CPP_ARRAY_BOUNDS_CHECK(L_500, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_501>>((int32_t)24)))))); uintptr_t L_502 = (((uintptr_t)((int32_t)((uint32_t)L_501>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_503 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_504 = V_15; NullCheck(L_503); IL2CPP_ARRAY_BOUNDS_CHECK(L_503, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_504>>((int32_t)16))))))); int32_t L_505 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_504>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_506 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_507 = V_9; NullCheck(L_506); IL2CPP_ARRAY_BOUNDS_CHECK(L_506, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_507>>8)))))); int32_t L_508 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_507>>8))))); UInt32U5BU5D_t2133601851* L_509 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_510 = V_10; NullCheck(L_509); IL2CPP_ARRAY_BOUNDS_CHECK(L_509, (((int32_t)((uint8_t)L_510)))); int32_t L_511 = (((int32_t)((uint8_t)L_510))); UInt32U5BU5D_t2133601851* L_512 = ___ekey; NullCheck(L_512); IL2CPP_ARRAY_BOUNDS_CHECK(L_512, ((int32_t)38)); int32_t L_513 = ((int32_t)38); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_500)->GetAt(static_cast<il2cpp_array_size_t>(L_502)))^(int32_t)((L_503)->GetAt(static_cast<il2cpp_array_size_t>(L_505)))))^(int32_t)((L_506)->GetAt(static_cast<il2cpp_array_size_t>(L_508)))))^(int32_t)((L_509)->GetAt(static_cast<il2cpp_array_size_t>(L_511)))))^(int32_t)((L_512)->GetAt(static_cast<il2cpp_array_size_t>(L_513))))); UInt32U5BU5D_t2133601851* L_514 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_515 = V_15; NullCheck(L_514); IL2CPP_ARRAY_BOUNDS_CHECK(L_514, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_515>>((int32_t)24)))))); uintptr_t L_516 = (((uintptr_t)((int32_t)((uint32_t)L_515>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_517 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_518 = V_8; NullCheck(L_517); IL2CPP_ARRAY_BOUNDS_CHECK(L_517, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_518>>((int32_t)16))))))); int32_t L_519 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_518>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_520 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_521 = V_10; NullCheck(L_520); IL2CPP_ARRAY_BOUNDS_CHECK(L_520, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_521>>8)))))); int32_t L_522 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_521>>8))))); UInt32U5BU5D_t2133601851* L_523 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_524 = V_11; NullCheck(L_523); IL2CPP_ARRAY_BOUNDS_CHECK(L_523, (((int32_t)((uint8_t)L_524)))); int32_t L_525 = (((int32_t)((uint8_t)L_524))); UInt32U5BU5D_t2133601851* L_526 = ___ekey; NullCheck(L_526); IL2CPP_ARRAY_BOUNDS_CHECK(L_526, ((int32_t)39)); int32_t L_527 = ((int32_t)39); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_514)->GetAt(static_cast<il2cpp_array_size_t>(L_516)))^(int32_t)((L_517)->GetAt(static_cast<il2cpp_array_size_t>(L_519)))))^(int32_t)((L_520)->GetAt(static_cast<il2cpp_array_size_t>(L_522)))))^(int32_t)((L_523)->GetAt(static_cast<il2cpp_array_size_t>(L_525)))))^(int32_t)((L_526)->GetAt(static_cast<il2cpp_array_size_t>(L_527))))); UInt32U5BU5D_t2133601851* L_528 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_529 = V_0; NullCheck(L_528); IL2CPP_ARRAY_BOUNDS_CHECK(L_528, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_529>>((int32_t)24)))))); uintptr_t L_530 = (((uintptr_t)((int32_t)((uint32_t)L_529>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_531 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_532 = V_1; NullCheck(L_531); IL2CPP_ARRAY_BOUNDS_CHECK(L_531, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_532>>((int32_t)16))))))); int32_t L_533 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_532>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_534 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_535 = V_3; NullCheck(L_534); IL2CPP_ARRAY_BOUNDS_CHECK(L_534, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_535>>8)))))); int32_t L_536 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_535>>8))))); UInt32U5BU5D_t2133601851* L_537 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_538 = V_4; NullCheck(L_537); IL2CPP_ARRAY_BOUNDS_CHECK(L_537, (((int32_t)((uint8_t)L_538)))); int32_t L_539 = (((int32_t)((uint8_t)L_538))); UInt32U5BU5D_t2133601851* L_540 = ___ekey; NullCheck(L_540); IL2CPP_ARRAY_BOUNDS_CHECK(L_540, ((int32_t)40)); int32_t L_541 = ((int32_t)40); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_528)->GetAt(static_cast<il2cpp_array_size_t>(L_530)))^(int32_t)((L_531)->GetAt(static_cast<il2cpp_array_size_t>(L_533)))))^(int32_t)((L_534)->GetAt(static_cast<il2cpp_array_size_t>(L_536)))))^(int32_t)((L_537)->GetAt(static_cast<il2cpp_array_size_t>(L_539)))))^(int32_t)((L_540)->GetAt(static_cast<il2cpp_array_size_t>(L_541))))); UInt32U5BU5D_t2133601851* L_542 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_543 = V_1; NullCheck(L_542); IL2CPP_ARRAY_BOUNDS_CHECK(L_542, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_543>>((int32_t)24)))))); uintptr_t L_544 = (((uintptr_t)((int32_t)((uint32_t)L_543>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_545 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_546 = V_2; NullCheck(L_545); IL2CPP_ARRAY_BOUNDS_CHECK(L_545, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_546>>((int32_t)16))))))); int32_t L_547 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_546>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_548 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_549 = V_4; NullCheck(L_548); IL2CPP_ARRAY_BOUNDS_CHECK(L_548, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_549>>8)))))); int32_t L_550 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_549>>8))))); UInt32U5BU5D_t2133601851* L_551 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_552 = V_5; NullCheck(L_551); IL2CPP_ARRAY_BOUNDS_CHECK(L_551, (((int32_t)((uint8_t)L_552)))); int32_t L_553 = (((int32_t)((uint8_t)L_552))); UInt32U5BU5D_t2133601851* L_554 = ___ekey; NullCheck(L_554); IL2CPP_ARRAY_BOUNDS_CHECK(L_554, ((int32_t)41)); int32_t L_555 = ((int32_t)41); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_542)->GetAt(static_cast<il2cpp_array_size_t>(L_544)))^(int32_t)((L_545)->GetAt(static_cast<il2cpp_array_size_t>(L_547)))))^(int32_t)((L_548)->GetAt(static_cast<il2cpp_array_size_t>(L_550)))))^(int32_t)((L_551)->GetAt(static_cast<il2cpp_array_size_t>(L_553)))))^(int32_t)((L_554)->GetAt(static_cast<il2cpp_array_size_t>(L_555))))); UInt32U5BU5D_t2133601851* L_556 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_557 = V_2; NullCheck(L_556); IL2CPP_ARRAY_BOUNDS_CHECK(L_556, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_557>>((int32_t)24)))))); uintptr_t L_558 = (((uintptr_t)((int32_t)((uint32_t)L_557>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_559 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_560 = V_3; NullCheck(L_559); IL2CPP_ARRAY_BOUNDS_CHECK(L_559, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_560>>((int32_t)16))))))); int32_t L_561 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_560>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_562 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_563 = V_5; NullCheck(L_562); IL2CPP_ARRAY_BOUNDS_CHECK(L_562, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_563>>8)))))); int32_t L_564 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_563>>8))))); UInt32U5BU5D_t2133601851* L_565 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_566 = V_6; NullCheck(L_565); IL2CPP_ARRAY_BOUNDS_CHECK(L_565, (((int32_t)((uint8_t)L_566)))); int32_t L_567 = (((int32_t)((uint8_t)L_566))); UInt32U5BU5D_t2133601851* L_568 = ___ekey; NullCheck(L_568); IL2CPP_ARRAY_BOUNDS_CHECK(L_568, ((int32_t)42)); int32_t L_569 = ((int32_t)42); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_556)->GetAt(static_cast<il2cpp_array_size_t>(L_558)))^(int32_t)((L_559)->GetAt(static_cast<il2cpp_array_size_t>(L_561)))))^(int32_t)((L_562)->GetAt(static_cast<il2cpp_array_size_t>(L_564)))))^(int32_t)((L_565)->GetAt(static_cast<il2cpp_array_size_t>(L_567)))))^(int32_t)((L_568)->GetAt(static_cast<il2cpp_array_size_t>(L_569))))); UInt32U5BU5D_t2133601851* L_570 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_571 = V_3; NullCheck(L_570); IL2CPP_ARRAY_BOUNDS_CHECK(L_570, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_571>>((int32_t)24)))))); uintptr_t L_572 = (((uintptr_t)((int32_t)((uint32_t)L_571>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_573 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_574 = V_4; NullCheck(L_573); IL2CPP_ARRAY_BOUNDS_CHECK(L_573, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_574>>((int32_t)16))))))); int32_t L_575 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_574>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_576 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_577 = V_6; NullCheck(L_576); IL2CPP_ARRAY_BOUNDS_CHECK(L_576, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_577>>8)))))); int32_t L_578 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_577>>8))))); UInt32U5BU5D_t2133601851* L_579 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_580 = V_7; NullCheck(L_579); IL2CPP_ARRAY_BOUNDS_CHECK(L_579, (((int32_t)((uint8_t)L_580)))); int32_t L_581 = (((int32_t)((uint8_t)L_580))); UInt32U5BU5D_t2133601851* L_582 = ___ekey; NullCheck(L_582); IL2CPP_ARRAY_BOUNDS_CHECK(L_582, ((int32_t)43)); int32_t L_583 = ((int32_t)43); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_570)->GetAt(static_cast<il2cpp_array_size_t>(L_572)))^(int32_t)((L_573)->GetAt(static_cast<il2cpp_array_size_t>(L_575)))))^(int32_t)((L_576)->GetAt(static_cast<il2cpp_array_size_t>(L_578)))))^(int32_t)((L_579)->GetAt(static_cast<il2cpp_array_size_t>(L_581)))))^(int32_t)((L_582)->GetAt(static_cast<il2cpp_array_size_t>(L_583))))); UInt32U5BU5D_t2133601851* L_584 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_585 = V_4; NullCheck(L_584); IL2CPP_ARRAY_BOUNDS_CHECK(L_584, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_585>>((int32_t)24)))))); uintptr_t L_586 = (((uintptr_t)((int32_t)((uint32_t)L_585>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_587 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_588 = V_5; NullCheck(L_587); IL2CPP_ARRAY_BOUNDS_CHECK(L_587, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_588>>((int32_t)16))))))); int32_t L_589 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_588>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_590 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_591 = V_7; NullCheck(L_590); IL2CPP_ARRAY_BOUNDS_CHECK(L_590, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_591>>8)))))); int32_t L_592 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_591>>8))))); UInt32U5BU5D_t2133601851* L_593 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_594 = V_0; NullCheck(L_593); IL2CPP_ARRAY_BOUNDS_CHECK(L_593, (((int32_t)((uint8_t)L_594)))); int32_t L_595 = (((int32_t)((uint8_t)L_594))); UInt32U5BU5D_t2133601851* L_596 = ___ekey; NullCheck(L_596); IL2CPP_ARRAY_BOUNDS_CHECK(L_596, ((int32_t)44)); int32_t L_597 = ((int32_t)44); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_584)->GetAt(static_cast<il2cpp_array_size_t>(L_586)))^(int32_t)((L_587)->GetAt(static_cast<il2cpp_array_size_t>(L_589)))))^(int32_t)((L_590)->GetAt(static_cast<il2cpp_array_size_t>(L_592)))))^(int32_t)((L_593)->GetAt(static_cast<il2cpp_array_size_t>(L_595)))))^(int32_t)((L_596)->GetAt(static_cast<il2cpp_array_size_t>(L_597))))); UInt32U5BU5D_t2133601851* L_598 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_599 = V_5; NullCheck(L_598); IL2CPP_ARRAY_BOUNDS_CHECK(L_598, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_599>>((int32_t)24)))))); uintptr_t L_600 = (((uintptr_t)((int32_t)((uint32_t)L_599>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_601 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_602 = V_6; NullCheck(L_601); IL2CPP_ARRAY_BOUNDS_CHECK(L_601, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_602>>((int32_t)16))))))); int32_t L_603 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_602>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_604 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_605 = V_0; NullCheck(L_604); IL2CPP_ARRAY_BOUNDS_CHECK(L_604, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_605>>8)))))); int32_t L_606 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_605>>8))))); UInt32U5BU5D_t2133601851* L_607 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_608 = V_1; NullCheck(L_607); IL2CPP_ARRAY_BOUNDS_CHECK(L_607, (((int32_t)((uint8_t)L_608)))); int32_t L_609 = (((int32_t)((uint8_t)L_608))); UInt32U5BU5D_t2133601851* L_610 = ___ekey; NullCheck(L_610); IL2CPP_ARRAY_BOUNDS_CHECK(L_610, ((int32_t)45)); int32_t L_611 = ((int32_t)45); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_598)->GetAt(static_cast<il2cpp_array_size_t>(L_600)))^(int32_t)((L_601)->GetAt(static_cast<il2cpp_array_size_t>(L_603)))))^(int32_t)((L_604)->GetAt(static_cast<il2cpp_array_size_t>(L_606)))))^(int32_t)((L_607)->GetAt(static_cast<il2cpp_array_size_t>(L_609)))))^(int32_t)((L_610)->GetAt(static_cast<il2cpp_array_size_t>(L_611))))); UInt32U5BU5D_t2133601851* L_612 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_613 = V_6; NullCheck(L_612); IL2CPP_ARRAY_BOUNDS_CHECK(L_612, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_613>>((int32_t)24)))))); uintptr_t L_614 = (((uintptr_t)((int32_t)((uint32_t)L_613>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_615 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_616 = V_7; NullCheck(L_615); IL2CPP_ARRAY_BOUNDS_CHECK(L_615, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_616>>((int32_t)16))))))); int32_t L_617 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_616>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_618 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_619 = V_1; NullCheck(L_618); IL2CPP_ARRAY_BOUNDS_CHECK(L_618, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_619>>8)))))); int32_t L_620 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_619>>8))))); UInt32U5BU5D_t2133601851* L_621 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_622 = V_2; NullCheck(L_621); IL2CPP_ARRAY_BOUNDS_CHECK(L_621, (((int32_t)((uint8_t)L_622)))); int32_t L_623 = (((int32_t)((uint8_t)L_622))); UInt32U5BU5D_t2133601851* L_624 = ___ekey; NullCheck(L_624); IL2CPP_ARRAY_BOUNDS_CHECK(L_624, ((int32_t)46)); int32_t L_625 = ((int32_t)46); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_612)->GetAt(static_cast<il2cpp_array_size_t>(L_614)))^(int32_t)((L_615)->GetAt(static_cast<il2cpp_array_size_t>(L_617)))))^(int32_t)((L_618)->GetAt(static_cast<il2cpp_array_size_t>(L_620)))))^(int32_t)((L_621)->GetAt(static_cast<il2cpp_array_size_t>(L_623)))))^(int32_t)((L_624)->GetAt(static_cast<il2cpp_array_size_t>(L_625))))); UInt32U5BU5D_t2133601851* L_626 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_627 = V_7; NullCheck(L_626); IL2CPP_ARRAY_BOUNDS_CHECK(L_626, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_627>>((int32_t)24)))))); uintptr_t L_628 = (((uintptr_t)((int32_t)((uint32_t)L_627>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_629 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_630 = V_0; NullCheck(L_629); IL2CPP_ARRAY_BOUNDS_CHECK(L_629, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_630>>((int32_t)16))))))); int32_t L_631 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_630>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_632 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_633 = V_2; NullCheck(L_632); IL2CPP_ARRAY_BOUNDS_CHECK(L_632, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_633>>8)))))); int32_t L_634 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_633>>8))))); UInt32U5BU5D_t2133601851* L_635 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_636 = V_3; NullCheck(L_635); IL2CPP_ARRAY_BOUNDS_CHECK(L_635, (((int32_t)((uint8_t)L_636)))); int32_t L_637 = (((int32_t)((uint8_t)L_636))); UInt32U5BU5D_t2133601851* L_638 = ___ekey; NullCheck(L_638); IL2CPP_ARRAY_BOUNDS_CHECK(L_638, ((int32_t)47)); int32_t L_639 = ((int32_t)47); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_626)->GetAt(static_cast<il2cpp_array_size_t>(L_628)))^(int32_t)((L_629)->GetAt(static_cast<il2cpp_array_size_t>(L_631)))))^(int32_t)((L_632)->GetAt(static_cast<il2cpp_array_size_t>(L_634)))))^(int32_t)((L_635)->GetAt(static_cast<il2cpp_array_size_t>(L_637)))))^(int32_t)((L_638)->GetAt(static_cast<il2cpp_array_size_t>(L_639))))); UInt32U5BU5D_t2133601851* L_640 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_641 = V_8; NullCheck(L_640); IL2CPP_ARRAY_BOUNDS_CHECK(L_640, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_641>>((int32_t)24)))))); uintptr_t L_642 = (((uintptr_t)((int32_t)((uint32_t)L_641>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_643 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_644 = V_9; NullCheck(L_643); IL2CPP_ARRAY_BOUNDS_CHECK(L_643, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_644>>((int32_t)16))))))); int32_t L_645 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_644>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_646 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_647 = V_11; NullCheck(L_646); IL2CPP_ARRAY_BOUNDS_CHECK(L_646, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_647>>8)))))); int32_t L_648 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_647>>8))))); UInt32U5BU5D_t2133601851* L_649 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_650 = V_12; NullCheck(L_649); IL2CPP_ARRAY_BOUNDS_CHECK(L_649, (((int32_t)((uint8_t)L_650)))); int32_t L_651 = (((int32_t)((uint8_t)L_650))); UInt32U5BU5D_t2133601851* L_652 = ___ekey; NullCheck(L_652); IL2CPP_ARRAY_BOUNDS_CHECK(L_652, ((int32_t)48)); int32_t L_653 = ((int32_t)48); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_640)->GetAt(static_cast<il2cpp_array_size_t>(L_642)))^(int32_t)((L_643)->GetAt(static_cast<il2cpp_array_size_t>(L_645)))))^(int32_t)((L_646)->GetAt(static_cast<il2cpp_array_size_t>(L_648)))))^(int32_t)((L_649)->GetAt(static_cast<il2cpp_array_size_t>(L_651)))))^(int32_t)((L_652)->GetAt(static_cast<il2cpp_array_size_t>(L_653))))); UInt32U5BU5D_t2133601851* L_654 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_655 = V_9; NullCheck(L_654); IL2CPP_ARRAY_BOUNDS_CHECK(L_654, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_655>>((int32_t)24)))))); uintptr_t L_656 = (((uintptr_t)((int32_t)((uint32_t)L_655>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_657 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_658 = V_10; NullCheck(L_657); IL2CPP_ARRAY_BOUNDS_CHECK(L_657, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_658>>((int32_t)16))))))); int32_t L_659 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_658>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_660 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_661 = V_12; NullCheck(L_660); IL2CPP_ARRAY_BOUNDS_CHECK(L_660, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_661>>8)))))); int32_t L_662 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_661>>8))))); UInt32U5BU5D_t2133601851* L_663 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_664 = V_13; NullCheck(L_663); IL2CPP_ARRAY_BOUNDS_CHECK(L_663, (((int32_t)((uint8_t)L_664)))); int32_t L_665 = (((int32_t)((uint8_t)L_664))); UInt32U5BU5D_t2133601851* L_666 = ___ekey; NullCheck(L_666); IL2CPP_ARRAY_BOUNDS_CHECK(L_666, ((int32_t)49)); int32_t L_667 = ((int32_t)49); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_654)->GetAt(static_cast<il2cpp_array_size_t>(L_656)))^(int32_t)((L_657)->GetAt(static_cast<il2cpp_array_size_t>(L_659)))))^(int32_t)((L_660)->GetAt(static_cast<il2cpp_array_size_t>(L_662)))))^(int32_t)((L_663)->GetAt(static_cast<il2cpp_array_size_t>(L_665)))))^(int32_t)((L_666)->GetAt(static_cast<il2cpp_array_size_t>(L_667))))); UInt32U5BU5D_t2133601851* L_668 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_669 = V_10; NullCheck(L_668); IL2CPP_ARRAY_BOUNDS_CHECK(L_668, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_669>>((int32_t)24)))))); uintptr_t L_670 = (((uintptr_t)((int32_t)((uint32_t)L_669>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_671 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_672 = V_11; NullCheck(L_671); IL2CPP_ARRAY_BOUNDS_CHECK(L_671, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_672>>((int32_t)16))))))); int32_t L_673 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_672>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_674 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_675 = V_13; NullCheck(L_674); IL2CPP_ARRAY_BOUNDS_CHECK(L_674, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_675>>8)))))); int32_t L_676 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_675>>8))))); UInt32U5BU5D_t2133601851* L_677 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_678 = V_14; NullCheck(L_677); IL2CPP_ARRAY_BOUNDS_CHECK(L_677, (((int32_t)((uint8_t)L_678)))); int32_t L_679 = (((int32_t)((uint8_t)L_678))); UInt32U5BU5D_t2133601851* L_680 = ___ekey; NullCheck(L_680); IL2CPP_ARRAY_BOUNDS_CHECK(L_680, ((int32_t)50)); int32_t L_681 = ((int32_t)50); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_668)->GetAt(static_cast<il2cpp_array_size_t>(L_670)))^(int32_t)((L_671)->GetAt(static_cast<il2cpp_array_size_t>(L_673)))))^(int32_t)((L_674)->GetAt(static_cast<il2cpp_array_size_t>(L_676)))))^(int32_t)((L_677)->GetAt(static_cast<il2cpp_array_size_t>(L_679)))))^(int32_t)((L_680)->GetAt(static_cast<il2cpp_array_size_t>(L_681))))); UInt32U5BU5D_t2133601851* L_682 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_683 = V_11; NullCheck(L_682); IL2CPP_ARRAY_BOUNDS_CHECK(L_682, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_683>>((int32_t)24)))))); uintptr_t L_684 = (((uintptr_t)((int32_t)((uint32_t)L_683>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_685 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_686 = V_12; NullCheck(L_685); IL2CPP_ARRAY_BOUNDS_CHECK(L_685, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_686>>((int32_t)16))))))); int32_t L_687 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_686>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_688 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_689 = V_14; NullCheck(L_688); IL2CPP_ARRAY_BOUNDS_CHECK(L_688, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_689>>8)))))); int32_t L_690 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_689>>8))))); UInt32U5BU5D_t2133601851* L_691 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_692 = V_15; NullCheck(L_691); IL2CPP_ARRAY_BOUNDS_CHECK(L_691, (((int32_t)((uint8_t)L_692)))); int32_t L_693 = (((int32_t)((uint8_t)L_692))); UInt32U5BU5D_t2133601851* L_694 = ___ekey; NullCheck(L_694); IL2CPP_ARRAY_BOUNDS_CHECK(L_694, ((int32_t)51)); int32_t L_695 = ((int32_t)51); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_682)->GetAt(static_cast<il2cpp_array_size_t>(L_684)))^(int32_t)((L_685)->GetAt(static_cast<il2cpp_array_size_t>(L_687)))))^(int32_t)((L_688)->GetAt(static_cast<il2cpp_array_size_t>(L_690)))))^(int32_t)((L_691)->GetAt(static_cast<il2cpp_array_size_t>(L_693)))))^(int32_t)((L_694)->GetAt(static_cast<il2cpp_array_size_t>(L_695))))); UInt32U5BU5D_t2133601851* L_696 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_697 = V_12; NullCheck(L_696); IL2CPP_ARRAY_BOUNDS_CHECK(L_696, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_697>>((int32_t)24)))))); uintptr_t L_698 = (((uintptr_t)((int32_t)((uint32_t)L_697>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_699 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_700 = V_13; NullCheck(L_699); IL2CPP_ARRAY_BOUNDS_CHECK(L_699, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_700>>((int32_t)16))))))); int32_t L_701 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_700>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_702 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_703 = V_15; NullCheck(L_702); IL2CPP_ARRAY_BOUNDS_CHECK(L_702, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_703>>8)))))); int32_t L_704 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_703>>8))))); UInt32U5BU5D_t2133601851* L_705 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_706 = V_8; NullCheck(L_705); IL2CPP_ARRAY_BOUNDS_CHECK(L_705, (((int32_t)((uint8_t)L_706)))); int32_t L_707 = (((int32_t)((uint8_t)L_706))); UInt32U5BU5D_t2133601851* L_708 = ___ekey; NullCheck(L_708); IL2CPP_ARRAY_BOUNDS_CHECK(L_708, ((int32_t)52)); int32_t L_709 = ((int32_t)52); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_696)->GetAt(static_cast<il2cpp_array_size_t>(L_698)))^(int32_t)((L_699)->GetAt(static_cast<il2cpp_array_size_t>(L_701)))))^(int32_t)((L_702)->GetAt(static_cast<il2cpp_array_size_t>(L_704)))))^(int32_t)((L_705)->GetAt(static_cast<il2cpp_array_size_t>(L_707)))))^(int32_t)((L_708)->GetAt(static_cast<il2cpp_array_size_t>(L_709))))); UInt32U5BU5D_t2133601851* L_710 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_711 = V_13; NullCheck(L_710); IL2CPP_ARRAY_BOUNDS_CHECK(L_710, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_711>>((int32_t)24)))))); uintptr_t L_712 = (((uintptr_t)((int32_t)((uint32_t)L_711>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_713 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_714 = V_14; NullCheck(L_713); IL2CPP_ARRAY_BOUNDS_CHECK(L_713, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_714>>((int32_t)16))))))); int32_t L_715 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_714>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_716 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_717 = V_8; NullCheck(L_716); IL2CPP_ARRAY_BOUNDS_CHECK(L_716, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_717>>8)))))); int32_t L_718 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_717>>8))))); UInt32U5BU5D_t2133601851* L_719 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_720 = V_9; NullCheck(L_719); IL2CPP_ARRAY_BOUNDS_CHECK(L_719, (((int32_t)((uint8_t)L_720)))); int32_t L_721 = (((int32_t)((uint8_t)L_720))); UInt32U5BU5D_t2133601851* L_722 = ___ekey; NullCheck(L_722); IL2CPP_ARRAY_BOUNDS_CHECK(L_722, ((int32_t)53)); int32_t L_723 = ((int32_t)53); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_710)->GetAt(static_cast<il2cpp_array_size_t>(L_712)))^(int32_t)((L_713)->GetAt(static_cast<il2cpp_array_size_t>(L_715)))))^(int32_t)((L_716)->GetAt(static_cast<il2cpp_array_size_t>(L_718)))))^(int32_t)((L_719)->GetAt(static_cast<il2cpp_array_size_t>(L_721)))))^(int32_t)((L_722)->GetAt(static_cast<il2cpp_array_size_t>(L_723))))); UInt32U5BU5D_t2133601851* L_724 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_725 = V_14; NullCheck(L_724); IL2CPP_ARRAY_BOUNDS_CHECK(L_724, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_725>>((int32_t)24)))))); uintptr_t L_726 = (((uintptr_t)((int32_t)((uint32_t)L_725>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_727 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_728 = V_15; NullCheck(L_727); IL2CPP_ARRAY_BOUNDS_CHECK(L_727, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_728>>((int32_t)16))))))); int32_t L_729 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_728>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_730 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_731 = V_9; NullCheck(L_730); IL2CPP_ARRAY_BOUNDS_CHECK(L_730, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_731>>8)))))); int32_t L_732 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_731>>8))))); UInt32U5BU5D_t2133601851* L_733 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_734 = V_10; NullCheck(L_733); IL2CPP_ARRAY_BOUNDS_CHECK(L_733, (((int32_t)((uint8_t)L_734)))); int32_t L_735 = (((int32_t)((uint8_t)L_734))); UInt32U5BU5D_t2133601851* L_736 = ___ekey; NullCheck(L_736); IL2CPP_ARRAY_BOUNDS_CHECK(L_736, ((int32_t)54)); int32_t L_737 = ((int32_t)54); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_724)->GetAt(static_cast<il2cpp_array_size_t>(L_726)))^(int32_t)((L_727)->GetAt(static_cast<il2cpp_array_size_t>(L_729)))))^(int32_t)((L_730)->GetAt(static_cast<il2cpp_array_size_t>(L_732)))))^(int32_t)((L_733)->GetAt(static_cast<il2cpp_array_size_t>(L_735)))))^(int32_t)((L_736)->GetAt(static_cast<il2cpp_array_size_t>(L_737))))); UInt32U5BU5D_t2133601851* L_738 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_739 = V_15; NullCheck(L_738); IL2CPP_ARRAY_BOUNDS_CHECK(L_738, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_739>>((int32_t)24)))))); uintptr_t L_740 = (((uintptr_t)((int32_t)((uint32_t)L_739>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_741 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_742 = V_8; NullCheck(L_741); IL2CPP_ARRAY_BOUNDS_CHECK(L_741, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_742>>((int32_t)16))))))); int32_t L_743 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_742>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_744 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_745 = V_10; NullCheck(L_744); IL2CPP_ARRAY_BOUNDS_CHECK(L_744, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_745>>8)))))); int32_t L_746 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_745>>8))))); UInt32U5BU5D_t2133601851* L_747 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_748 = V_11; NullCheck(L_747); IL2CPP_ARRAY_BOUNDS_CHECK(L_747, (((int32_t)((uint8_t)L_748)))); int32_t L_749 = (((int32_t)((uint8_t)L_748))); UInt32U5BU5D_t2133601851* L_750 = ___ekey; NullCheck(L_750); IL2CPP_ARRAY_BOUNDS_CHECK(L_750, ((int32_t)55)); int32_t L_751 = ((int32_t)55); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_738)->GetAt(static_cast<il2cpp_array_size_t>(L_740)))^(int32_t)((L_741)->GetAt(static_cast<il2cpp_array_size_t>(L_743)))))^(int32_t)((L_744)->GetAt(static_cast<il2cpp_array_size_t>(L_746)))))^(int32_t)((L_747)->GetAt(static_cast<il2cpp_array_size_t>(L_749)))))^(int32_t)((L_750)->GetAt(static_cast<il2cpp_array_size_t>(L_751))))); UInt32U5BU5D_t2133601851* L_752 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_753 = V_0; NullCheck(L_752); IL2CPP_ARRAY_BOUNDS_CHECK(L_752, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_753>>((int32_t)24)))))); uintptr_t L_754 = (((uintptr_t)((int32_t)((uint32_t)L_753>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_755 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_756 = V_1; NullCheck(L_755); IL2CPP_ARRAY_BOUNDS_CHECK(L_755, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_756>>((int32_t)16))))))); int32_t L_757 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_756>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_758 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_759 = V_3; NullCheck(L_758); IL2CPP_ARRAY_BOUNDS_CHECK(L_758, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_759>>8)))))); int32_t L_760 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_759>>8))))); UInt32U5BU5D_t2133601851* L_761 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_762 = V_4; NullCheck(L_761); IL2CPP_ARRAY_BOUNDS_CHECK(L_761, (((int32_t)((uint8_t)L_762)))); int32_t L_763 = (((int32_t)((uint8_t)L_762))); UInt32U5BU5D_t2133601851* L_764 = ___ekey; NullCheck(L_764); IL2CPP_ARRAY_BOUNDS_CHECK(L_764, ((int32_t)56)); int32_t L_765 = ((int32_t)56); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_752)->GetAt(static_cast<il2cpp_array_size_t>(L_754)))^(int32_t)((L_755)->GetAt(static_cast<il2cpp_array_size_t>(L_757)))))^(int32_t)((L_758)->GetAt(static_cast<il2cpp_array_size_t>(L_760)))))^(int32_t)((L_761)->GetAt(static_cast<il2cpp_array_size_t>(L_763)))))^(int32_t)((L_764)->GetAt(static_cast<il2cpp_array_size_t>(L_765))))); UInt32U5BU5D_t2133601851* L_766 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_767 = V_1; NullCheck(L_766); IL2CPP_ARRAY_BOUNDS_CHECK(L_766, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_767>>((int32_t)24)))))); uintptr_t L_768 = (((uintptr_t)((int32_t)((uint32_t)L_767>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_769 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_770 = V_2; NullCheck(L_769); IL2CPP_ARRAY_BOUNDS_CHECK(L_769, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_770>>((int32_t)16))))))); int32_t L_771 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_770>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_772 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_773 = V_4; NullCheck(L_772); IL2CPP_ARRAY_BOUNDS_CHECK(L_772, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_773>>8)))))); int32_t L_774 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_773>>8))))); UInt32U5BU5D_t2133601851* L_775 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_776 = V_5; NullCheck(L_775); IL2CPP_ARRAY_BOUNDS_CHECK(L_775, (((int32_t)((uint8_t)L_776)))); int32_t L_777 = (((int32_t)((uint8_t)L_776))); UInt32U5BU5D_t2133601851* L_778 = ___ekey; NullCheck(L_778); IL2CPP_ARRAY_BOUNDS_CHECK(L_778, ((int32_t)57)); int32_t L_779 = ((int32_t)57); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_766)->GetAt(static_cast<il2cpp_array_size_t>(L_768)))^(int32_t)((L_769)->GetAt(static_cast<il2cpp_array_size_t>(L_771)))))^(int32_t)((L_772)->GetAt(static_cast<il2cpp_array_size_t>(L_774)))))^(int32_t)((L_775)->GetAt(static_cast<il2cpp_array_size_t>(L_777)))))^(int32_t)((L_778)->GetAt(static_cast<il2cpp_array_size_t>(L_779))))); UInt32U5BU5D_t2133601851* L_780 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_781 = V_2; NullCheck(L_780); IL2CPP_ARRAY_BOUNDS_CHECK(L_780, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_781>>((int32_t)24)))))); uintptr_t L_782 = (((uintptr_t)((int32_t)((uint32_t)L_781>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_783 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_784 = V_3; NullCheck(L_783); IL2CPP_ARRAY_BOUNDS_CHECK(L_783, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_784>>((int32_t)16))))))); int32_t L_785 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_784>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_786 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_787 = V_5; NullCheck(L_786); IL2CPP_ARRAY_BOUNDS_CHECK(L_786, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_787>>8)))))); int32_t L_788 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_787>>8))))); UInt32U5BU5D_t2133601851* L_789 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_790 = V_6; NullCheck(L_789); IL2CPP_ARRAY_BOUNDS_CHECK(L_789, (((int32_t)((uint8_t)L_790)))); int32_t L_791 = (((int32_t)((uint8_t)L_790))); UInt32U5BU5D_t2133601851* L_792 = ___ekey; NullCheck(L_792); IL2CPP_ARRAY_BOUNDS_CHECK(L_792, ((int32_t)58)); int32_t L_793 = ((int32_t)58); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_780)->GetAt(static_cast<il2cpp_array_size_t>(L_782)))^(int32_t)((L_783)->GetAt(static_cast<il2cpp_array_size_t>(L_785)))))^(int32_t)((L_786)->GetAt(static_cast<il2cpp_array_size_t>(L_788)))))^(int32_t)((L_789)->GetAt(static_cast<il2cpp_array_size_t>(L_791)))))^(int32_t)((L_792)->GetAt(static_cast<il2cpp_array_size_t>(L_793))))); UInt32U5BU5D_t2133601851* L_794 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_795 = V_3; NullCheck(L_794); IL2CPP_ARRAY_BOUNDS_CHECK(L_794, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_795>>((int32_t)24)))))); uintptr_t L_796 = (((uintptr_t)((int32_t)((uint32_t)L_795>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_797 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_798 = V_4; NullCheck(L_797); IL2CPP_ARRAY_BOUNDS_CHECK(L_797, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_798>>((int32_t)16))))))); int32_t L_799 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_798>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_800 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_801 = V_6; NullCheck(L_800); IL2CPP_ARRAY_BOUNDS_CHECK(L_800, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_801>>8)))))); int32_t L_802 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_801>>8))))); UInt32U5BU5D_t2133601851* L_803 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_804 = V_7; NullCheck(L_803); IL2CPP_ARRAY_BOUNDS_CHECK(L_803, (((int32_t)((uint8_t)L_804)))); int32_t L_805 = (((int32_t)((uint8_t)L_804))); UInt32U5BU5D_t2133601851* L_806 = ___ekey; NullCheck(L_806); IL2CPP_ARRAY_BOUNDS_CHECK(L_806, ((int32_t)59)); int32_t L_807 = ((int32_t)59); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_794)->GetAt(static_cast<il2cpp_array_size_t>(L_796)))^(int32_t)((L_797)->GetAt(static_cast<il2cpp_array_size_t>(L_799)))))^(int32_t)((L_800)->GetAt(static_cast<il2cpp_array_size_t>(L_802)))))^(int32_t)((L_803)->GetAt(static_cast<il2cpp_array_size_t>(L_805)))))^(int32_t)((L_806)->GetAt(static_cast<il2cpp_array_size_t>(L_807))))); UInt32U5BU5D_t2133601851* L_808 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_809 = V_4; NullCheck(L_808); IL2CPP_ARRAY_BOUNDS_CHECK(L_808, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_809>>((int32_t)24)))))); uintptr_t L_810 = (((uintptr_t)((int32_t)((uint32_t)L_809>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_811 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_812 = V_5; NullCheck(L_811); IL2CPP_ARRAY_BOUNDS_CHECK(L_811, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_812>>((int32_t)16))))))); int32_t L_813 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_812>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_814 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_815 = V_7; NullCheck(L_814); IL2CPP_ARRAY_BOUNDS_CHECK(L_814, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_815>>8)))))); int32_t L_816 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_815>>8))))); UInt32U5BU5D_t2133601851* L_817 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_818 = V_0; NullCheck(L_817); IL2CPP_ARRAY_BOUNDS_CHECK(L_817, (((int32_t)((uint8_t)L_818)))); int32_t L_819 = (((int32_t)((uint8_t)L_818))); UInt32U5BU5D_t2133601851* L_820 = ___ekey; NullCheck(L_820); IL2CPP_ARRAY_BOUNDS_CHECK(L_820, ((int32_t)60)); int32_t L_821 = ((int32_t)60); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_808)->GetAt(static_cast<il2cpp_array_size_t>(L_810)))^(int32_t)((L_811)->GetAt(static_cast<il2cpp_array_size_t>(L_813)))))^(int32_t)((L_814)->GetAt(static_cast<il2cpp_array_size_t>(L_816)))))^(int32_t)((L_817)->GetAt(static_cast<il2cpp_array_size_t>(L_819)))))^(int32_t)((L_820)->GetAt(static_cast<il2cpp_array_size_t>(L_821))))); UInt32U5BU5D_t2133601851* L_822 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_823 = V_5; NullCheck(L_822); IL2CPP_ARRAY_BOUNDS_CHECK(L_822, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_823>>((int32_t)24)))))); uintptr_t L_824 = (((uintptr_t)((int32_t)((uint32_t)L_823>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_825 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_826 = V_6; NullCheck(L_825); IL2CPP_ARRAY_BOUNDS_CHECK(L_825, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_826>>((int32_t)16))))))); int32_t L_827 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_826>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_828 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_829 = V_0; NullCheck(L_828); IL2CPP_ARRAY_BOUNDS_CHECK(L_828, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_829>>8)))))); int32_t L_830 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_829>>8))))); UInt32U5BU5D_t2133601851* L_831 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_832 = V_1; NullCheck(L_831); IL2CPP_ARRAY_BOUNDS_CHECK(L_831, (((int32_t)((uint8_t)L_832)))); int32_t L_833 = (((int32_t)((uint8_t)L_832))); UInt32U5BU5D_t2133601851* L_834 = ___ekey; NullCheck(L_834); IL2CPP_ARRAY_BOUNDS_CHECK(L_834, ((int32_t)61)); int32_t L_835 = ((int32_t)61); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_822)->GetAt(static_cast<il2cpp_array_size_t>(L_824)))^(int32_t)((L_825)->GetAt(static_cast<il2cpp_array_size_t>(L_827)))))^(int32_t)((L_828)->GetAt(static_cast<il2cpp_array_size_t>(L_830)))))^(int32_t)((L_831)->GetAt(static_cast<il2cpp_array_size_t>(L_833)))))^(int32_t)((L_834)->GetAt(static_cast<il2cpp_array_size_t>(L_835))))); UInt32U5BU5D_t2133601851* L_836 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_837 = V_6; NullCheck(L_836); IL2CPP_ARRAY_BOUNDS_CHECK(L_836, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_837>>((int32_t)24)))))); uintptr_t L_838 = (((uintptr_t)((int32_t)((uint32_t)L_837>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_839 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_840 = V_7; NullCheck(L_839); IL2CPP_ARRAY_BOUNDS_CHECK(L_839, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_840>>((int32_t)16))))))); int32_t L_841 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_840>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_842 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_843 = V_1; NullCheck(L_842); IL2CPP_ARRAY_BOUNDS_CHECK(L_842, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_843>>8)))))); int32_t L_844 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_843>>8))))); UInt32U5BU5D_t2133601851* L_845 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_846 = V_2; NullCheck(L_845); IL2CPP_ARRAY_BOUNDS_CHECK(L_845, (((int32_t)((uint8_t)L_846)))); int32_t L_847 = (((int32_t)((uint8_t)L_846))); UInt32U5BU5D_t2133601851* L_848 = ___ekey; NullCheck(L_848); IL2CPP_ARRAY_BOUNDS_CHECK(L_848, ((int32_t)62)); int32_t L_849 = ((int32_t)62); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_836)->GetAt(static_cast<il2cpp_array_size_t>(L_838)))^(int32_t)((L_839)->GetAt(static_cast<il2cpp_array_size_t>(L_841)))))^(int32_t)((L_842)->GetAt(static_cast<il2cpp_array_size_t>(L_844)))))^(int32_t)((L_845)->GetAt(static_cast<il2cpp_array_size_t>(L_847)))))^(int32_t)((L_848)->GetAt(static_cast<il2cpp_array_size_t>(L_849))))); UInt32U5BU5D_t2133601851* L_850 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_851 = V_7; NullCheck(L_850); IL2CPP_ARRAY_BOUNDS_CHECK(L_850, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_851>>((int32_t)24)))))); uintptr_t L_852 = (((uintptr_t)((int32_t)((uint32_t)L_851>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_853 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_854 = V_0; NullCheck(L_853); IL2CPP_ARRAY_BOUNDS_CHECK(L_853, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_854>>((int32_t)16))))))); int32_t L_855 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_854>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_856 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_857 = V_2; NullCheck(L_856); IL2CPP_ARRAY_BOUNDS_CHECK(L_856, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_857>>8)))))); int32_t L_858 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_857>>8))))); UInt32U5BU5D_t2133601851* L_859 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_860 = V_3; NullCheck(L_859); IL2CPP_ARRAY_BOUNDS_CHECK(L_859, (((int32_t)((uint8_t)L_860)))); int32_t L_861 = (((int32_t)((uint8_t)L_860))); UInt32U5BU5D_t2133601851* L_862 = ___ekey; NullCheck(L_862); IL2CPP_ARRAY_BOUNDS_CHECK(L_862, ((int32_t)63)); int32_t L_863 = ((int32_t)63); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_850)->GetAt(static_cast<il2cpp_array_size_t>(L_852)))^(int32_t)((L_853)->GetAt(static_cast<il2cpp_array_size_t>(L_855)))))^(int32_t)((L_856)->GetAt(static_cast<il2cpp_array_size_t>(L_858)))))^(int32_t)((L_859)->GetAt(static_cast<il2cpp_array_size_t>(L_861)))))^(int32_t)((L_862)->GetAt(static_cast<il2cpp_array_size_t>(L_863))))); UInt32U5BU5D_t2133601851* L_864 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_865 = V_8; NullCheck(L_864); IL2CPP_ARRAY_BOUNDS_CHECK(L_864, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_865>>((int32_t)24)))))); uintptr_t L_866 = (((uintptr_t)((int32_t)((uint32_t)L_865>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_867 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_868 = V_9; NullCheck(L_867); IL2CPP_ARRAY_BOUNDS_CHECK(L_867, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_868>>((int32_t)16))))))); int32_t L_869 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_868>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_870 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_871 = V_11; NullCheck(L_870); IL2CPP_ARRAY_BOUNDS_CHECK(L_870, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_871>>8)))))); int32_t L_872 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_871>>8))))); UInt32U5BU5D_t2133601851* L_873 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_874 = V_12; NullCheck(L_873); IL2CPP_ARRAY_BOUNDS_CHECK(L_873, (((int32_t)((uint8_t)L_874)))); int32_t L_875 = (((int32_t)((uint8_t)L_874))); UInt32U5BU5D_t2133601851* L_876 = ___ekey; NullCheck(L_876); IL2CPP_ARRAY_BOUNDS_CHECK(L_876, ((int32_t)64)); int32_t L_877 = ((int32_t)64); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_864)->GetAt(static_cast<il2cpp_array_size_t>(L_866)))^(int32_t)((L_867)->GetAt(static_cast<il2cpp_array_size_t>(L_869)))))^(int32_t)((L_870)->GetAt(static_cast<il2cpp_array_size_t>(L_872)))))^(int32_t)((L_873)->GetAt(static_cast<il2cpp_array_size_t>(L_875)))))^(int32_t)((L_876)->GetAt(static_cast<il2cpp_array_size_t>(L_877))))); UInt32U5BU5D_t2133601851* L_878 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_879 = V_9; NullCheck(L_878); IL2CPP_ARRAY_BOUNDS_CHECK(L_878, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_879>>((int32_t)24)))))); uintptr_t L_880 = (((uintptr_t)((int32_t)((uint32_t)L_879>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_881 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_882 = V_10; NullCheck(L_881); IL2CPP_ARRAY_BOUNDS_CHECK(L_881, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_882>>((int32_t)16))))))); int32_t L_883 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_882>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_884 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_885 = V_12; NullCheck(L_884); IL2CPP_ARRAY_BOUNDS_CHECK(L_884, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_885>>8)))))); int32_t L_886 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_885>>8))))); UInt32U5BU5D_t2133601851* L_887 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_888 = V_13; NullCheck(L_887); IL2CPP_ARRAY_BOUNDS_CHECK(L_887, (((int32_t)((uint8_t)L_888)))); int32_t L_889 = (((int32_t)((uint8_t)L_888))); UInt32U5BU5D_t2133601851* L_890 = ___ekey; NullCheck(L_890); IL2CPP_ARRAY_BOUNDS_CHECK(L_890, ((int32_t)65)); int32_t L_891 = ((int32_t)65); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_878)->GetAt(static_cast<il2cpp_array_size_t>(L_880)))^(int32_t)((L_881)->GetAt(static_cast<il2cpp_array_size_t>(L_883)))))^(int32_t)((L_884)->GetAt(static_cast<il2cpp_array_size_t>(L_886)))))^(int32_t)((L_887)->GetAt(static_cast<il2cpp_array_size_t>(L_889)))))^(int32_t)((L_890)->GetAt(static_cast<il2cpp_array_size_t>(L_891))))); UInt32U5BU5D_t2133601851* L_892 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_893 = V_10; NullCheck(L_892); IL2CPP_ARRAY_BOUNDS_CHECK(L_892, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_893>>((int32_t)24)))))); uintptr_t L_894 = (((uintptr_t)((int32_t)((uint32_t)L_893>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_895 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_896 = V_11; NullCheck(L_895); IL2CPP_ARRAY_BOUNDS_CHECK(L_895, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_896>>((int32_t)16))))))); int32_t L_897 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_896>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_898 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_899 = V_13; NullCheck(L_898); IL2CPP_ARRAY_BOUNDS_CHECK(L_898, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_899>>8)))))); int32_t L_900 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_899>>8))))); UInt32U5BU5D_t2133601851* L_901 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_902 = V_14; NullCheck(L_901); IL2CPP_ARRAY_BOUNDS_CHECK(L_901, (((int32_t)((uint8_t)L_902)))); int32_t L_903 = (((int32_t)((uint8_t)L_902))); UInt32U5BU5D_t2133601851* L_904 = ___ekey; NullCheck(L_904); IL2CPP_ARRAY_BOUNDS_CHECK(L_904, ((int32_t)66)); int32_t L_905 = ((int32_t)66); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_892)->GetAt(static_cast<il2cpp_array_size_t>(L_894)))^(int32_t)((L_895)->GetAt(static_cast<il2cpp_array_size_t>(L_897)))))^(int32_t)((L_898)->GetAt(static_cast<il2cpp_array_size_t>(L_900)))))^(int32_t)((L_901)->GetAt(static_cast<il2cpp_array_size_t>(L_903)))))^(int32_t)((L_904)->GetAt(static_cast<il2cpp_array_size_t>(L_905))))); UInt32U5BU5D_t2133601851* L_906 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_907 = V_11; NullCheck(L_906); IL2CPP_ARRAY_BOUNDS_CHECK(L_906, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_907>>((int32_t)24)))))); uintptr_t L_908 = (((uintptr_t)((int32_t)((uint32_t)L_907>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_909 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_910 = V_12; NullCheck(L_909); IL2CPP_ARRAY_BOUNDS_CHECK(L_909, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_910>>((int32_t)16))))))); int32_t L_911 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_910>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_912 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_913 = V_14; NullCheck(L_912); IL2CPP_ARRAY_BOUNDS_CHECK(L_912, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_913>>8)))))); int32_t L_914 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_913>>8))))); UInt32U5BU5D_t2133601851* L_915 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_916 = V_15; NullCheck(L_915); IL2CPP_ARRAY_BOUNDS_CHECK(L_915, (((int32_t)((uint8_t)L_916)))); int32_t L_917 = (((int32_t)((uint8_t)L_916))); UInt32U5BU5D_t2133601851* L_918 = ___ekey; NullCheck(L_918); IL2CPP_ARRAY_BOUNDS_CHECK(L_918, ((int32_t)67)); int32_t L_919 = ((int32_t)67); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_906)->GetAt(static_cast<il2cpp_array_size_t>(L_908)))^(int32_t)((L_909)->GetAt(static_cast<il2cpp_array_size_t>(L_911)))))^(int32_t)((L_912)->GetAt(static_cast<il2cpp_array_size_t>(L_914)))))^(int32_t)((L_915)->GetAt(static_cast<il2cpp_array_size_t>(L_917)))))^(int32_t)((L_918)->GetAt(static_cast<il2cpp_array_size_t>(L_919))))); UInt32U5BU5D_t2133601851* L_920 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_921 = V_12; NullCheck(L_920); IL2CPP_ARRAY_BOUNDS_CHECK(L_920, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_921>>((int32_t)24)))))); uintptr_t L_922 = (((uintptr_t)((int32_t)((uint32_t)L_921>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_923 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_924 = V_13; NullCheck(L_923); IL2CPP_ARRAY_BOUNDS_CHECK(L_923, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_924>>((int32_t)16))))))); int32_t L_925 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_924>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_926 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_927 = V_15; NullCheck(L_926); IL2CPP_ARRAY_BOUNDS_CHECK(L_926, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_927>>8)))))); int32_t L_928 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_927>>8))))); UInt32U5BU5D_t2133601851* L_929 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_930 = V_8; NullCheck(L_929); IL2CPP_ARRAY_BOUNDS_CHECK(L_929, (((int32_t)((uint8_t)L_930)))); int32_t L_931 = (((int32_t)((uint8_t)L_930))); UInt32U5BU5D_t2133601851* L_932 = ___ekey; NullCheck(L_932); IL2CPP_ARRAY_BOUNDS_CHECK(L_932, ((int32_t)68)); int32_t L_933 = ((int32_t)68); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_920)->GetAt(static_cast<il2cpp_array_size_t>(L_922)))^(int32_t)((L_923)->GetAt(static_cast<il2cpp_array_size_t>(L_925)))))^(int32_t)((L_926)->GetAt(static_cast<il2cpp_array_size_t>(L_928)))))^(int32_t)((L_929)->GetAt(static_cast<il2cpp_array_size_t>(L_931)))))^(int32_t)((L_932)->GetAt(static_cast<il2cpp_array_size_t>(L_933))))); UInt32U5BU5D_t2133601851* L_934 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_935 = V_13; NullCheck(L_934); IL2CPP_ARRAY_BOUNDS_CHECK(L_934, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_935>>((int32_t)24)))))); uintptr_t L_936 = (((uintptr_t)((int32_t)((uint32_t)L_935>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_937 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_938 = V_14; NullCheck(L_937); IL2CPP_ARRAY_BOUNDS_CHECK(L_937, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_938>>((int32_t)16))))))); int32_t L_939 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_938>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_940 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_941 = V_8; NullCheck(L_940); IL2CPP_ARRAY_BOUNDS_CHECK(L_940, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_941>>8)))))); int32_t L_942 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_941>>8))))); UInt32U5BU5D_t2133601851* L_943 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_944 = V_9; NullCheck(L_943); IL2CPP_ARRAY_BOUNDS_CHECK(L_943, (((int32_t)((uint8_t)L_944)))); int32_t L_945 = (((int32_t)((uint8_t)L_944))); UInt32U5BU5D_t2133601851* L_946 = ___ekey; NullCheck(L_946); IL2CPP_ARRAY_BOUNDS_CHECK(L_946, ((int32_t)69)); int32_t L_947 = ((int32_t)69); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_934)->GetAt(static_cast<il2cpp_array_size_t>(L_936)))^(int32_t)((L_937)->GetAt(static_cast<il2cpp_array_size_t>(L_939)))))^(int32_t)((L_940)->GetAt(static_cast<il2cpp_array_size_t>(L_942)))))^(int32_t)((L_943)->GetAt(static_cast<il2cpp_array_size_t>(L_945)))))^(int32_t)((L_946)->GetAt(static_cast<il2cpp_array_size_t>(L_947))))); UInt32U5BU5D_t2133601851* L_948 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_949 = V_14; NullCheck(L_948); IL2CPP_ARRAY_BOUNDS_CHECK(L_948, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_949>>((int32_t)24)))))); uintptr_t L_950 = (((uintptr_t)((int32_t)((uint32_t)L_949>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_951 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_952 = V_15; NullCheck(L_951); IL2CPP_ARRAY_BOUNDS_CHECK(L_951, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_952>>((int32_t)16))))))); int32_t L_953 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_952>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_954 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_955 = V_9; NullCheck(L_954); IL2CPP_ARRAY_BOUNDS_CHECK(L_954, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_955>>8)))))); int32_t L_956 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_955>>8))))); UInt32U5BU5D_t2133601851* L_957 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_958 = V_10; NullCheck(L_957); IL2CPP_ARRAY_BOUNDS_CHECK(L_957, (((int32_t)((uint8_t)L_958)))); int32_t L_959 = (((int32_t)((uint8_t)L_958))); UInt32U5BU5D_t2133601851* L_960 = ___ekey; NullCheck(L_960); IL2CPP_ARRAY_BOUNDS_CHECK(L_960, ((int32_t)70)); int32_t L_961 = ((int32_t)70); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_948)->GetAt(static_cast<il2cpp_array_size_t>(L_950)))^(int32_t)((L_951)->GetAt(static_cast<il2cpp_array_size_t>(L_953)))))^(int32_t)((L_954)->GetAt(static_cast<il2cpp_array_size_t>(L_956)))))^(int32_t)((L_957)->GetAt(static_cast<il2cpp_array_size_t>(L_959)))))^(int32_t)((L_960)->GetAt(static_cast<il2cpp_array_size_t>(L_961))))); UInt32U5BU5D_t2133601851* L_962 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_963 = V_15; NullCheck(L_962); IL2CPP_ARRAY_BOUNDS_CHECK(L_962, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_963>>((int32_t)24)))))); uintptr_t L_964 = (((uintptr_t)((int32_t)((uint32_t)L_963>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_965 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_966 = V_8; NullCheck(L_965); IL2CPP_ARRAY_BOUNDS_CHECK(L_965, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_966>>((int32_t)16))))))); int32_t L_967 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_966>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_968 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_969 = V_10; NullCheck(L_968); IL2CPP_ARRAY_BOUNDS_CHECK(L_968, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_969>>8)))))); int32_t L_970 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_969>>8))))); UInt32U5BU5D_t2133601851* L_971 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_972 = V_11; NullCheck(L_971); IL2CPP_ARRAY_BOUNDS_CHECK(L_971, (((int32_t)((uint8_t)L_972)))); int32_t L_973 = (((int32_t)((uint8_t)L_972))); UInt32U5BU5D_t2133601851* L_974 = ___ekey; NullCheck(L_974); IL2CPP_ARRAY_BOUNDS_CHECK(L_974, ((int32_t)71)); int32_t L_975 = ((int32_t)71); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_962)->GetAt(static_cast<il2cpp_array_size_t>(L_964)))^(int32_t)((L_965)->GetAt(static_cast<il2cpp_array_size_t>(L_967)))))^(int32_t)((L_968)->GetAt(static_cast<il2cpp_array_size_t>(L_970)))))^(int32_t)((L_971)->GetAt(static_cast<il2cpp_array_size_t>(L_973)))))^(int32_t)((L_974)->GetAt(static_cast<il2cpp_array_size_t>(L_975))))); UInt32U5BU5D_t2133601851* L_976 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_977 = V_0; NullCheck(L_976); IL2CPP_ARRAY_BOUNDS_CHECK(L_976, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_977>>((int32_t)24)))))); uintptr_t L_978 = (((uintptr_t)((int32_t)((uint32_t)L_977>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_979 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_980 = V_1; NullCheck(L_979); IL2CPP_ARRAY_BOUNDS_CHECK(L_979, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_980>>((int32_t)16))))))); int32_t L_981 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_980>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_982 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_983 = V_3; NullCheck(L_982); IL2CPP_ARRAY_BOUNDS_CHECK(L_982, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_983>>8)))))); int32_t L_984 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_983>>8))))); UInt32U5BU5D_t2133601851* L_985 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_986 = V_4; NullCheck(L_985); IL2CPP_ARRAY_BOUNDS_CHECK(L_985, (((int32_t)((uint8_t)L_986)))); int32_t L_987 = (((int32_t)((uint8_t)L_986))); UInt32U5BU5D_t2133601851* L_988 = ___ekey; NullCheck(L_988); IL2CPP_ARRAY_BOUNDS_CHECK(L_988, ((int32_t)72)); int32_t L_989 = ((int32_t)72); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_976)->GetAt(static_cast<il2cpp_array_size_t>(L_978)))^(int32_t)((L_979)->GetAt(static_cast<il2cpp_array_size_t>(L_981)))))^(int32_t)((L_982)->GetAt(static_cast<il2cpp_array_size_t>(L_984)))))^(int32_t)((L_985)->GetAt(static_cast<il2cpp_array_size_t>(L_987)))))^(int32_t)((L_988)->GetAt(static_cast<il2cpp_array_size_t>(L_989))))); UInt32U5BU5D_t2133601851* L_990 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_991 = V_1; NullCheck(L_990); IL2CPP_ARRAY_BOUNDS_CHECK(L_990, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_991>>((int32_t)24)))))); uintptr_t L_992 = (((uintptr_t)((int32_t)((uint32_t)L_991>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_993 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_994 = V_2; NullCheck(L_993); IL2CPP_ARRAY_BOUNDS_CHECK(L_993, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_994>>((int32_t)16))))))); int32_t L_995 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_994>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_996 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_997 = V_4; NullCheck(L_996); IL2CPP_ARRAY_BOUNDS_CHECK(L_996, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_997>>8)))))); int32_t L_998 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_997>>8))))); UInt32U5BU5D_t2133601851* L_999 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1000 = V_5; NullCheck(L_999); IL2CPP_ARRAY_BOUNDS_CHECK(L_999, (((int32_t)((uint8_t)L_1000)))); int32_t L_1001 = (((int32_t)((uint8_t)L_1000))); UInt32U5BU5D_t2133601851* L_1002 = ___ekey; NullCheck(L_1002); IL2CPP_ARRAY_BOUNDS_CHECK(L_1002, ((int32_t)73)); int32_t L_1003 = ((int32_t)73); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_990)->GetAt(static_cast<il2cpp_array_size_t>(L_992)))^(int32_t)((L_993)->GetAt(static_cast<il2cpp_array_size_t>(L_995)))))^(int32_t)((L_996)->GetAt(static_cast<il2cpp_array_size_t>(L_998)))))^(int32_t)((L_999)->GetAt(static_cast<il2cpp_array_size_t>(L_1001)))))^(int32_t)((L_1002)->GetAt(static_cast<il2cpp_array_size_t>(L_1003))))); UInt32U5BU5D_t2133601851* L_1004 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1005 = V_2; NullCheck(L_1004); IL2CPP_ARRAY_BOUNDS_CHECK(L_1004, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1005>>((int32_t)24)))))); uintptr_t L_1006 = (((uintptr_t)((int32_t)((uint32_t)L_1005>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1007 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1008 = V_3; NullCheck(L_1007); IL2CPP_ARRAY_BOUNDS_CHECK(L_1007, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1008>>((int32_t)16))))))); int32_t L_1009 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1008>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1010 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1011 = V_5; NullCheck(L_1010); IL2CPP_ARRAY_BOUNDS_CHECK(L_1010, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1011>>8)))))); int32_t L_1012 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1011>>8))))); UInt32U5BU5D_t2133601851* L_1013 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1014 = V_6; NullCheck(L_1013); IL2CPP_ARRAY_BOUNDS_CHECK(L_1013, (((int32_t)((uint8_t)L_1014)))); int32_t L_1015 = (((int32_t)((uint8_t)L_1014))); UInt32U5BU5D_t2133601851* L_1016 = ___ekey; NullCheck(L_1016); IL2CPP_ARRAY_BOUNDS_CHECK(L_1016, ((int32_t)74)); int32_t L_1017 = ((int32_t)74); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1004)->GetAt(static_cast<il2cpp_array_size_t>(L_1006)))^(int32_t)((L_1007)->GetAt(static_cast<il2cpp_array_size_t>(L_1009)))))^(int32_t)((L_1010)->GetAt(static_cast<il2cpp_array_size_t>(L_1012)))))^(int32_t)((L_1013)->GetAt(static_cast<il2cpp_array_size_t>(L_1015)))))^(int32_t)((L_1016)->GetAt(static_cast<il2cpp_array_size_t>(L_1017))))); UInt32U5BU5D_t2133601851* L_1018 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1019 = V_3; NullCheck(L_1018); IL2CPP_ARRAY_BOUNDS_CHECK(L_1018, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1019>>((int32_t)24)))))); uintptr_t L_1020 = (((uintptr_t)((int32_t)((uint32_t)L_1019>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1021 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1022 = V_4; NullCheck(L_1021); IL2CPP_ARRAY_BOUNDS_CHECK(L_1021, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1022>>((int32_t)16))))))); int32_t L_1023 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1022>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1024 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1025 = V_6; NullCheck(L_1024); IL2CPP_ARRAY_BOUNDS_CHECK(L_1024, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1025>>8)))))); int32_t L_1026 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1025>>8))))); UInt32U5BU5D_t2133601851* L_1027 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1028 = V_7; NullCheck(L_1027); IL2CPP_ARRAY_BOUNDS_CHECK(L_1027, (((int32_t)((uint8_t)L_1028)))); int32_t L_1029 = (((int32_t)((uint8_t)L_1028))); UInt32U5BU5D_t2133601851* L_1030 = ___ekey; NullCheck(L_1030); IL2CPP_ARRAY_BOUNDS_CHECK(L_1030, ((int32_t)75)); int32_t L_1031 = ((int32_t)75); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1018)->GetAt(static_cast<il2cpp_array_size_t>(L_1020)))^(int32_t)((L_1021)->GetAt(static_cast<il2cpp_array_size_t>(L_1023)))))^(int32_t)((L_1024)->GetAt(static_cast<il2cpp_array_size_t>(L_1026)))))^(int32_t)((L_1027)->GetAt(static_cast<il2cpp_array_size_t>(L_1029)))))^(int32_t)((L_1030)->GetAt(static_cast<il2cpp_array_size_t>(L_1031))))); UInt32U5BU5D_t2133601851* L_1032 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1033 = V_4; NullCheck(L_1032); IL2CPP_ARRAY_BOUNDS_CHECK(L_1032, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1033>>((int32_t)24)))))); uintptr_t L_1034 = (((uintptr_t)((int32_t)((uint32_t)L_1033>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1035 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1036 = V_5; NullCheck(L_1035); IL2CPP_ARRAY_BOUNDS_CHECK(L_1035, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1036>>((int32_t)16))))))); int32_t L_1037 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1036>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1038 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1039 = V_7; NullCheck(L_1038); IL2CPP_ARRAY_BOUNDS_CHECK(L_1038, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1039>>8)))))); int32_t L_1040 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1039>>8))))); UInt32U5BU5D_t2133601851* L_1041 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1042 = V_0; NullCheck(L_1041); IL2CPP_ARRAY_BOUNDS_CHECK(L_1041, (((int32_t)((uint8_t)L_1042)))); int32_t L_1043 = (((int32_t)((uint8_t)L_1042))); UInt32U5BU5D_t2133601851* L_1044 = ___ekey; NullCheck(L_1044); IL2CPP_ARRAY_BOUNDS_CHECK(L_1044, ((int32_t)76)); int32_t L_1045 = ((int32_t)76); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1032)->GetAt(static_cast<il2cpp_array_size_t>(L_1034)))^(int32_t)((L_1035)->GetAt(static_cast<il2cpp_array_size_t>(L_1037)))))^(int32_t)((L_1038)->GetAt(static_cast<il2cpp_array_size_t>(L_1040)))))^(int32_t)((L_1041)->GetAt(static_cast<il2cpp_array_size_t>(L_1043)))))^(int32_t)((L_1044)->GetAt(static_cast<il2cpp_array_size_t>(L_1045))))); UInt32U5BU5D_t2133601851* L_1046 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1047 = V_5; NullCheck(L_1046); IL2CPP_ARRAY_BOUNDS_CHECK(L_1046, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1047>>((int32_t)24)))))); uintptr_t L_1048 = (((uintptr_t)((int32_t)((uint32_t)L_1047>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1049 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1050 = V_6; NullCheck(L_1049); IL2CPP_ARRAY_BOUNDS_CHECK(L_1049, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1050>>((int32_t)16))))))); int32_t L_1051 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1050>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1052 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1053 = V_0; NullCheck(L_1052); IL2CPP_ARRAY_BOUNDS_CHECK(L_1052, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1053>>8)))))); int32_t L_1054 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1053>>8))))); UInt32U5BU5D_t2133601851* L_1055 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1056 = V_1; NullCheck(L_1055); IL2CPP_ARRAY_BOUNDS_CHECK(L_1055, (((int32_t)((uint8_t)L_1056)))); int32_t L_1057 = (((int32_t)((uint8_t)L_1056))); UInt32U5BU5D_t2133601851* L_1058 = ___ekey; NullCheck(L_1058); IL2CPP_ARRAY_BOUNDS_CHECK(L_1058, ((int32_t)77)); int32_t L_1059 = ((int32_t)77); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1046)->GetAt(static_cast<il2cpp_array_size_t>(L_1048)))^(int32_t)((L_1049)->GetAt(static_cast<il2cpp_array_size_t>(L_1051)))))^(int32_t)((L_1052)->GetAt(static_cast<il2cpp_array_size_t>(L_1054)))))^(int32_t)((L_1055)->GetAt(static_cast<il2cpp_array_size_t>(L_1057)))))^(int32_t)((L_1058)->GetAt(static_cast<il2cpp_array_size_t>(L_1059))))); UInt32U5BU5D_t2133601851* L_1060 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1061 = V_6; NullCheck(L_1060); IL2CPP_ARRAY_BOUNDS_CHECK(L_1060, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1061>>((int32_t)24)))))); uintptr_t L_1062 = (((uintptr_t)((int32_t)((uint32_t)L_1061>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1063 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1064 = V_7; NullCheck(L_1063); IL2CPP_ARRAY_BOUNDS_CHECK(L_1063, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1064>>((int32_t)16))))))); int32_t L_1065 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1064>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1066 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1067 = V_1; NullCheck(L_1066); IL2CPP_ARRAY_BOUNDS_CHECK(L_1066, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1067>>8)))))); int32_t L_1068 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1067>>8))))); UInt32U5BU5D_t2133601851* L_1069 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1070 = V_2; NullCheck(L_1069); IL2CPP_ARRAY_BOUNDS_CHECK(L_1069, (((int32_t)((uint8_t)L_1070)))); int32_t L_1071 = (((int32_t)((uint8_t)L_1070))); UInt32U5BU5D_t2133601851* L_1072 = ___ekey; NullCheck(L_1072); IL2CPP_ARRAY_BOUNDS_CHECK(L_1072, ((int32_t)78)); int32_t L_1073 = ((int32_t)78); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1060)->GetAt(static_cast<il2cpp_array_size_t>(L_1062)))^(int32_t)((L_1063)->GetAt(static_cast<il2cpp_array_size_t>(L_1065)))))^(int32_t)((L_1066)->GetAt(static_cast<il2cpp_array_size_t>(L_1068)))))^(int32_t)((L_1069)->GetAt(static_cast<il2cpp_array_size_t>(L_1071)))))^(int32_t)((L_1072)->GetAt(static_cast<il2cpp_array_size_t>(L_1073))))); UInt32U5BU5D_t2133601851* L_1074 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1075 = V_7; NullCheck(L_1074); IL2CPP_ARRAY_BOUNDS_CHECK(L_1074, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1075>>((int32_t)24)))))); uintptr_t L_1076 = (((uintptr_t)((int32_t)((uint32_t)L_1075>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1077 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1078 = V_0; NullCheck(L_1077); IL2CPP_ARRAY_BOUNDS_CHECK(L_1077, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1078>>((int32_t)16))))))); int32_t L_1079 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1078>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1080 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1081 = V_2; NullCheck(L_1080); IL2CPP_ARRAY_BOUNDS_CHECK(L_1080, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1081>>8)))))); int32_t L_1082 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1081>>8))))); UInt32U5BU5D_t2133601851* L_1083 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1084 = V_3; NullCheck(L_1083); IL2CPP_ARRAY_BOUNDS_CHECK(L_1083, (((int32_t)((uint8_t)L_1084)))); int32_t L_1085 = (((int32_t)((uint8_t)L_1084))); UInt32U5BU5D_t2133601851* L_1086 = ___ekey; NullCheck(L_1086); IL2CPP_ARRAY_BOUNDS_CHECK(L_1086, ((int32_t)79)); int32_t L_1087 = ((int32_t)79); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1074)->GetAt(static_cast<il2cpp_array_size_t>(L_1076)))^(int32_t)((L_1077)->GetAt(static_cast<il2cpp_array_size_t>(L_1079)))))^(int32_t)((L_1080)->GetAt(static_cast<il2cpp_array_size_t>(L_1082)))))^(int32_t)((L_1083)->GetAt(static_cast<il2cpp_array_size_t>(L_1085)))))^(int32_t)((L_1086)->GetAt(static_cast<il2cpp_array_size_t>(L_1087))))); UInt32U5BU5D_t2133601851* L_1088 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1089 = V_8; NullCheck(L_1088); IL2CPP_ARRAY_BOUNDS_CHECK(L_1088, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1089>>((int32_t)24)))))); uintptr_t L_1090 = (((uintptr_t)((int32_t)((uint32_t)L_1089>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1091 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1092 = V_9; NullCheck(L_1091); IL2CPP_ARRAY_BOUNDS_CHECK(L_1091, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1092>>((int32_t)16))))))); int32_t L_1093 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1092>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1094 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1095 = V_11; NullCheck(L_1094); IL2CPP_ARRAY_BOUNDS_CHECK(L_1094, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1095>>8)))))); int32_t L_1096 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1095>>8))))); UInt32U5BU5D_t2133601851* L_1097 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1098 = V_12; NullCheck(L_1097); IL2CPP_ARRAY_BOUNDS_CHECK(L_1097, (((int32_t)((uint8_t)L_1098)))); int32_t L_1099 = (((int32_t)((uint8_t)L_1098))); UInt32U5BU5D_t2133601851* L_1100 = ___ekey; NullCheck(L_1100); IL2CPP_ARRAY_BOUNDS_CHECK(L_1100, ((int32_t)80)); int32_t L_1101 = ((int32_t)80); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1088)->GetAt(static_cast<il2cpp_array_size_t>(L_1090)))^(int32_t)((L_1091)->GetAt(static_cast<il2cpp_array_size_t>(L_1093)))))^(int32_t)((L_1094)->GetAt(static_cast<il2cpp_array_size_t>(L_1096)))))^(int32_t)((L_1097)->GetAt(static_cast<il2cpp_array_size_t>(L_1099)))))^(int32_t)((L_1100)->GetAt(static_cast<il2cpp_array_size_t>(L_1101))))); UInt32U5BU5D_t2133601851* L_1102 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1103 = V_9; NullCheck(L_1102); IL2CPP_ARRAY_BOUNDS_CHECK(L_1102, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1103>>((int32_t)24)))))); uintptr_t L_1104 = (((uintptr_t)((int32_t)((uint32_t)L_1103>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1105 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1106 = V_10; NullCheck(L_1105); IL2CPP_ARRAY_BOUNDS_CHECK(L_1105, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1106>>((int32_t)16))))))); int32_t L_1107 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1106>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1108 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1109 = V_12; NullCheck(L_1108); IL2CPP_ARRAY_BOUNDS_CHECK(L_1108, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1109>>8)))))); int32_t L_1110 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1109>>8))))); UInt32U5BU5D_t2133601851* L_1111 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1112 = V_13; NullCheck(L_1111); IL2CPP_ARRAY_BOUNDS_CHECK(L_1111, (((int32_t)((uint8_t)L_1112)))); int32_t L_1113 = (((int32_t)((uint8_t)L_1112))); UInt32U5BU5D_t2133601851* L_1114 = ___ekey; NullCheck(L_1114); IL2CPP_ARRAY_BOUNDS_CHECK(L_1114, ((int32_t)81)); int32_t L_1115 = ((int32_t)81); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1102)->GetAt(static_cast<il2cpp_array_size_t>(L_1104)))^(int32_t)((L_1105)->GetAt(static_cast<il2cpp_array_size_t>(L_1107)))))^(int32_t)((L_1108)->GetAt(static_cast<il2cpp_array_size_t>(L_1110)))))^(int32_t)((L_1111)->GetAt(static_cast<il2cpp_array_size_t>(L_1113)))))^(int32_t)((L_1114)->GetAt(static_cast<il2cpp_array_size_t>(L_1115))))); UInt32U5BU5D_t2133601851* L_1116 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1117 = V_10; NullCheck(L_1116); IL2CPP_ARRAY_BOUNDS_CHECK(L_1116, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1117>>((int32_t)24)))))); uintptr_t L_1118 = (((uintptr_t)((int32_t)((uint32_t)L_1117>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1119 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1120 = V_11; NullCheck(L_1119); IL2CPP_ARRAY_BOUNDS_CHECK(L_1119, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1120>>((int32_t)16))))))); int32_t L_1121 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1120>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1122 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1123 = V_13; NullCheck(L_1122); IL2CPP_ARRAY_BOUNDS_CHECK(L_1122, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1123>>8)))))); int32_t L_1124 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1123>>8))))); UInt32U5BU5D_t2133601851* L_1125 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1126 = V_14; NullCheck(L_1125); IL2CPP_ARRAY_BOUNDS_CHECK(L_1125, (((int32_t)((uint8_t)L_1126)))); int32_t L_1127 = (((int32_t)((uint8_t)L_1126))); UInt32U5BU5D_t2133601851* L_1128 = ___ekey; NullCheck(L_1128); IL2CPP_ARRAY_BOUNDS_CHECK(L_1128, ((int32_t)82)); int32_t L_1129 = ((int32_t)82); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1116)->GetAt(static_cast<il2cpp_array_size_t>(L_1118)))^(int32_t)((L_1119)->GetAt(static_cast<il2cpp_array_size_t>(L_1121)))))^(int32_t)((L_1122)->GetAt(static_cast<il2cpp_array_size_t>(L_1124)))))^(int32_t)((L_1125)->GetAt(static_cast<il2cpp_array_size_t>(L_1127)))))^(int32_t)((L_1128)->GetAt(static_cast<il2cpp_array_size_t>(L_1129))))); UInt32U5BU5D_t2133601851* L_1130 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1131 = V_11; NullCheck(L_1130); IL2CPP_ARRAY_BOUNDS_CHECK(L_1130, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1131>>((int32_t)24)))))); uintptr_t L_1132 = (((uintptr_t)((int32_t)((uint32_t)L_1131>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1133 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1134 = V_12; NullCheck(L_1133); IL2CPP_ARRAY_BOUNDS_CHECK(L_1133, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1134>>((int32_t)16))))))); int32_t L_1135 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1134>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1136 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1137 = V_14; NullCheck(L_1136); IL2CPP_ARRAY_BOUNDS_CHECK(L_1136, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1137>>8)))))); int32_t L_1138 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1137>>8))))); UInt32U5BU5D_t2133601851* L_1139 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1140 = V_15; NullCheck(L_1139); IL2CPP_ARRAY_BOUNDS_CHECK(L_1139, (((int32_t)((uint8_t)L_1140)))); int32_t L_1141 = (((int32_t)((uint8_t)L_1140))); UInt32U5BU5D_t2133601851* L_1142 = ___ekey; NullCheck(L_1142); IL2CPP_ARRAY_BOUNDS_CHECK(L_1142, ((int32_t)83)); int32_t L_1143 = ((int32_t)83); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1130)->GetAt(static_cast<il2cpp_array_size_t>(L_1132)))^(int32_t)((L_1133)->GetAt(static_cast<il2cpp_array_size_t>(L_1135)))))^(int32_t)((L_1136)->GetAt(static_cast<il2cpp_array_size_t>(L_1138)))))^(int32_t)((L_1139)->GetAt(static_cast<il2cpp_array_size_t>(L_1141)))))^(int32_t)((L_1142)->GetAt(static_cast<il2cpp_array_size_t>(L_1143))))); UInt32U5BU5D_t2133601851* L_1144 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1145 = V_12; NullCheck(L_1144); IL2CPP_ARRAY_BOUNDS_CHECK(L_1144, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1145>>((int32_t)24)))))); uintptr_t L_1146 = (((uintptr_t)((int32_t)((uint32_t)L_1145>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1147 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1148 = V_13; NullCheck(L_1147); IL2CPP_ARRAY_BOUNDS_CHECK(L_1147, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1148>>((int32_t)16))))))); int32_t L_1149 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1148>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1150 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1151 = V_15; NullCheck(L_1150); IL2CPP_ARRAY_BOUNDS_CHECK(L_1150, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1151>>8)))))); int32_t L_1152 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1151>>8))))); UInt32U5BU5D_t2133601851* L_1153 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1154 = V_8; NullCheck(L_1153); IL2CPP_ARRAY_BOUNDS_CHECK(L_1153, (((int32_t)((uint8_t)L_1154)))); int32_t L_1155 = (((int32_t)((uint8_t)L_1154))); UInt32U5BU5D_t2133601851* L_1156 = ___ekey; NullCheck(L_1156); IL2CPP_ARRAY_BOUNDS_CHECK(L_1156, ((int32_t)84)); int32_t L_1157 = ((int32_t)84); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1144)->GetAt(static_cast<il2cpp_array_size_t>(L_1146)))^(int32_t)((L_1147)->GetAt(static_cast<il2cpp_array_size_t>(L_1149)))))^(int32_t)((L_1150)->GetAt(static_cast<il2cpp_array_size_t>(L_1152)))))^(int32_t)((L_1153)->GetAt(static_cast<il2cpp_array_size_t>(L_1155)))))^(int32_t)((L_1156)->GetAt(static_cast<il2cpp_array_size_t>(L_1157))))); UInt32U5BU5D_t2133601851* L_1158 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1159 = V_13; NullCheck(L_1158); IL2CPP_ARRAY_BOUNDS_CHECK(L_1158, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1159>>((int32_t)24)))))); uintptr_t L_1160 = (((uintptr_t)((int32_t)((uint32_t)L_1159>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1161 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1162 = V_14; NullCheck(L_1161); IL2CPP_ARRAY_BOUNDS_CHECK(L_1161, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1162>>((int32_t)16))))))); int32_t L_1163 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1162>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1164 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1165 = V_8; NullCheck(L_1164); IL2CPP_ARRAY_BOUNDS_CHECK(L_1164, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1165>>8)))))); int32_t L_1166 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1165>>8))))); UInt32U5BU5D_t2133601851* L_1167 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1168 = V_9; NullCheck(L_1167); IL2CPP_ARRAY_BOUNDS_CHECK(L_1167, (((int32_t)((uint8_t)L_1168)))); int32_t L_1169 = (((int32_t)((uint8_t)L_1168))); UInt32U5BU5D_t2133601851* L_1170 = ___ekey; NullCheck(L_1170); IL2CPP_ARRAY_BOUNDS_CHECK(L_1170, ((int32_t)85)); int32_t L_1171 = ((int32_t)85); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1158)->GetAt(static_cast<il2cpp_array_size_t>(L_1160)))^(int32_t)((L_1161)->GetAt(static_cast<il2cpp_array_size_t>(L_1163)))))^(int32_t)((L_1164)->GetAt(static_cast<il2cpp_array_size_t>(L_1166)))))^(int32_t)((L_1167)->GetAt(static_cast<il2cpp_array_size_t>(L_1169)))))^(int32_t)((L_1170)->GetAt(static_cast<il2cpp_array_size_t>(L_1171))))); UInt32U5BU5D_t2133601851* L_1172 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1173 = V_14; NullCheck(L_1172); IL2CPP_ARRAY_BOUNDS_CHECK(L_1172, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1173>>((int32_t)24)))))); uintptr_t L_1174 = (((uintptr_t)((int32_t)((uint32_t)L_1173>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1175 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1176 = V_15; NullCheck(L_1175); IL2CPP_ARRAY_BOUNDS_CHECK(L_1175, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1176>>((int32_t)16))))))); int32_t L_1177 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1176>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1178 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1179 = V_9; NullCheck(L_1178); IL2CPP_ARRAY_BOUNDS_CHECK(L_1178, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1179>>8)))))); int32_t L_1180 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1179>>8))))); UInt32U5BU5D_t2133601851* L_1181 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1182 = V_10; NullCheck(L_1181); IL2CPP_ARRAY_BOUNDS_CHECK(L_1181, (((int32_t)((uint8_t)L_1182)))); int32_t L_1183 = (((int32_t)((uint8_t)L_1182))); UInt32U5BU5D_t2133601851* L_1184 = ___ekey; NullCheck(L_1184); IL2CPP_ARRAY_BOUNDS_CHECK(L_1184, ((int32_t)86)); int32_t L_1185 = ((int32_t)86); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1172)->GetAt(static_cast<il2cpp_array_size_t>(L_1174)))^(int32_t)((L_1175)->GetAt(static_cast<il2cpp_array_size_t>(L_1177)))))^(int32_t)((L_1178)->GetAt(static_cast<il2cpp_array_size_t>(L_1180)))))^(int32_t)((L_1181)->GetAt(static_cast<il2cpp_array_size_t>(L_1183)))))^(int32_t)((L_1184)->GetAt(static_cast<il2cpp_array_size_t>(L_1185))))); UInt32U5BU5D_t2133601851* L_1186 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1187 = V_15; NullCheck(L_1186); IL2CPP_ARRAY_BOUNDS_CHECK(L_1186, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1187>>((int32_t)24)))))); uintptr_t L_1188 = (((uintptr_t)((int32_t)((uint32_t)L_1187>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1189 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1190 = V_8; NullCheck(L_1189); IL2CPP_ARRAY_BOUNDS_CHECK(L_1189, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1190>>((int32_t)16))))))); int32_t L_1191 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1190>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1192 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1193 = V_10; NullCheck(L_1192); IL2CPP_ARRAY_BOUNDS_CHECK(L_1192, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1193>>8)))))); int32_t L_1194 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1193>>8))))); UInt32U5BU5D_t2133601851* L_1195 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1196 = V_11; NullCheck(L_1195); IL2CPP_ARRAY_BOUNDS_CHECK(L_1195, (((int32_t)((uint8_t)L_1196)))); int32_t L_1197 = (((int32_t)((uint8_t)L_1196))); UInt32U5BU5D_t2133601851* L_1198 = ___ekey; NullCheck(L_1198); IL2CPP_ARRAY_BOUNDS_CHECK(L_1198, ((int32_t)87)); int32_t L_1199 = ((int32_t)87); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1186)->GetAt(static_cast<il2cpp_array_size_t>(L_1188)))^(int32_t)((L_1189)->GetAt(static_cast<il2cpp_array_size_t>(L_1191)))))^(int32_t)((L_1192)->GetAt(static_cast<il2cpp_array_size_t>(L_1194)))))^(int32_t)((L_1195)->GetAt(static_cast<il2cpp_array_size_t>(L_1197)))))^(int32_t)((L_1198)->GetAt(static_cast<il2cpp_array_size_t>(L_1199))))); UInt32U5BU5D_t2133601851* L_1200 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1201 = V_0; NullCheck(L_1200); IL2CPP_ARRAY_BOUNDS_CHECK(L_1200, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1201>>((int32_t)24)))))); uintptr_t L_1202 = (((uintptr_t)((int32_t)((uint32_t)L_1201>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1203 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1204 = V_1; NullCheck(L_1203); IL2CPP_ARRAY_BOUNDS_CHECK(L_1203, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1204>>((int32_t)16))))))); int32_t L_1205 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1204>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1206 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1207 = V_3; NullCheck(L_1206); IL2CPP_ARRAY_BOUNDS_CHECK(L_1206, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1207>>8)))))); int32_t L_1208 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1207>>8))))); UInt32U5BU5D_t2133601851* L_1209 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1210 = V_4; NullCheck(L_1209); IL2CPP_ARRAY_BOUNDS_CHECK(L_1209, (((int32_t)((uint8_t)L_1210)))); int32_t L_1211 = (((int32_t)((uint8_t)L_1210))); UInt32U5BU5D_t2133601851* L_1212 = ___ekey; NullCheck(L_1212); IL2CPP_ARRAY_BOUNDS_CHECK(L_1212, ((int32_t)88)); int32_t L_1213 = ((int32_t)88); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1200)->GetAt(static_cast<il2cpp_array_size_t>(L_1202)))^(int32_t)((L_1203)->GetAt(static_cast<il2cpp_array_size_t>(L_1205)))))^(int32_t)((L_1206)->GetAt(static_cast<il2cpp_array_size_t>(L_1208)))))^(int32_t)((L_1209)->GetAt(static_cast<il2cpp_array_size_t>(L_1211)))))^(int32_t)((L_1212)->GetAt(static_cast<il2cpp_array_size_t>(L_1213))))); UInt32U5BU5D_t2133601851* L_1214 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1215 = V_1; NullCheck(L_1214); IL2CPP_ARRAY_BOUNDS_CHECK(L_1214, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1215>>((int32_t)24)))))); uintptr_t L_1216 = (((uintptr_t)((int32_t)((uint32_t)L_1215>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1217 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1218 = V_2; NullCheck(L_1217); IL2CPP_ARRAY_BOUNDS_CHECK(L_1217, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1218>>((int32_t)16))))))); int32_t L_1219 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1218>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1220 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1221 = V_4; NullCheck(L_1220); IL2CPP_ARRAY_BOUNDS_CHECK(L_1220, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1221>>8)))))); int32_t L_1222 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1221>>8))))); UInt32U5BU5D_t2133601851* L_1223 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1224 = V_5; NullCheck(L_1223); IL2CPP_ARRAY_BOUNDS_CHECK(L_1223, (((int32_t)((uint8_t)L_1224)))); int32_t L_1225 = (((int32_t)((uint8_t)L_1224))); UInt32U5BU5D_t2133601851* L_1226 = ___ekey; NullCheck(L_1226); IL2CPP_ARRAY_BOUNDS_CHECK(L_1226, ((int32_t)89)); int32_t L_1227 = ((int32_t)89); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1214)->GetAt(static_cast<il2cpp_array_size_t>(L_1216)))^(int32_t)((L_1217)->GetAt(static_cast<il2cpp_array_size_t>(L_1219)))))^(int32_t)((L_1220)->GetAt(static_cast<il2cpp_array_size_t>(L_1222)))))^(int32_t)((L_1223)->GetAt(static_cast<il2cpp_array_size_t>(L_1225)))))^(int32_t)((L_1226)->GetAt(static_cast<il2cpp_array_size_t>(L_1227))))); UInt32U5BU5D_t2133601851* L_1228 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1229 = V_2; NullCheck(L_1228); IL2CPP_ARRAY_BOUNDS_CHECK(L_1228, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1229>>((int32_t)24)))))); uintptr_t L_1230 = (((uintptr_t)((int32_t)((uint32_t)L_1229>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1231 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1232 = V_3; NullCheck(L_1231); IL2CPP_ARRAY_BOUNDS_CHECK(L_1231, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1232>>((int32_t)16))))))); int32_t L_1233 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1232>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1234 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1235 = V_5; NullCheck(L_1234); IL2CPP_ARRAY_BOUNDS_CHECK(L_1234, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1235>>8)))))); int32_t L_1236 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1235>>8))))); UInt32U5BU5D_t2133601851* L_1237 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1238 = V_6; NullCheck(L_1237); IL2CPP_ARRAY_BOUNDS_CHECK(L_1237, (((int32_t)((uint8_t)L_1238)))); int32_t L_1239 = (((int32_t)((uint8_t)L_1238))); UInt32U5BU5D_t2133601851* L_1240 = ___ekey; NullCheck(L_1240); IL2CPP_ARRAY_BOUNDS_CHECK(L_1240, ((int32_t)90)); int32_t L_1241 = ((int32_t)90); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1228)->GetAt(static_cast<il2cpp_array_size_t>(L_1230)))^(int32_t)((L_1231)->GetAt(static_cast<il2cpp_array_size_t>(L_1233)))))^(int32_t)((L_1234)->GetAt(static_cast<il2cpp_array_size_t>(L_1236)))))^(int32_t)((L_1237)->GetAt(static_cast<il2cpp_array_size_t>(L_1239)))))^(int32_t)((L_1240)->GetAt(static_cast<il2cpp_array_size_t>(L_1241))))); UInt32U5BU5D_t2133601851* L_1242 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1243 = V_3; NullCheck(L_1242); IL2CPP_ARRAY_BOUNDS_CHECK(L_1242, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1243>>((int32_t)24)))))); uintptr_t L_1244 = (((uintptr_t)((int32_t)((uint32_t)L_1243>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1245 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1246 = V_4; NullCheck(L_1245); IL2CPP_ARRAY_BOUNDS_CHECK(L_1245, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1246>>((int32_t)16))))))); int32_t L_1247 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1246>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1248 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1249 = V_6; NullCheck(L_1248); IL2CPP_ARRAY_BOUNDS_CHECK(L_1248, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1249>>8)))))); int32_t L_1250 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1249>>8))))); UInt32U5BU5D_t2133601851* L_1251 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1252 = V_7; NullCheck(L_1251); IL2CPP_ARRAY_BOUNDS_CHECK(L_1251, (((int32_t)((uint8_t)L_1252)))); int32_t L_1253 = (((int32_t)((uint8_t)L_1252))); UInt32U5BU5D_t2133601851* L_1254 = ___ekey; NullCheck(L_1254); IL2CPP_ARRAY_BOUNDS_CHECK(L_1254, ((int32_t)91)); int32_t L_1255 = ((int32_t)91); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1242)->GetAt(static_cast<il2cpp_array_size_t>(L_1244)))^(int32_t)((L_1245)->GetAt(static_cast<il2cpp_array_size_t>(L_1247)))))^(int32_t)((L_1248)->GetAt(static_cast<il2cpp_array_size_t>(L_1250)))))^(int32_t)((L_1251)->GetAt(static_cast<il2cpp_array_size_t>(L_1253)))))^(int32_t)((L_1254)->GetAt(static_cast<il2cpp_array_size_t>(L_1255))))); UInt32U5BU5D_t2133601851* L_1256 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1257 = V_4; NullCheck(L_1256); IL2CPP_ARRAY_BOUNDS_CHECK(L_1256, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1257>>((int32_t)24)))))); uintptr_t L_1258 = (((uintptr_t)((int32_t)((uint32_t)L_1257>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1259 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1260 = V_5; NullCheck(L_1259); IL2CPP_ARRAY_BOUNDS_CHECK(L_1259, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1260>>((int32_t)16))))))); int32_t L_1261 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1260>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1262 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1263 = V_7; NullCheck(L_1262); IL2CPP_ARRAY_BOUNDS_CHECK(L_1262, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1263>>8)))))); int32_t L_1264 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1263>>8))))); UInt32U5BU5D_t2133601851* L_1265 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1266 = V_0; NullCheck(L_1265); IL2CPP_ARRAY_BOUNDS_CHECK(L_1265, (((int32_t)((uint8_t)L_1266)))); int32_t L_1267 = (((int32_t)((uint8_t)L_1266))); UInt32U5BU5D_t2133601851* L_1268 = ___ekey; NullCheck(L_1268); IL2CPP_ARRAY_BOUNDS_CHECK(L_1268, ((int32_t)92)); int32_t L_1269 = ((int32_t)92); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1256)->GetAt(static_cast<il2cpp_array_size_t>(L_1258)))^(int32_t)((L_1259)->GetAt(static_cast<il2cpp_array_size_t>(L_1261)))))^(int32_t)((L_1262)->GetAt(static_cast<il2cpp_array_size_t>(L_1264)))))^(int32_t)((L_1265)->GetAt(static_cast<il2cpp_array_size_t>(L_1267)))))^(int32_t)((L_1268)->GetAt(static_cast<il2cpp_array_size_t>(L_1269))))); UInt32U5BU5D_t2133601851* L_1270 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1271 = V_5; NullCheck(L_1270); IL2CPP_ARRAY_BOUNDS_CHECK(L_1270, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1271>>((int32_t)24)))))); uintptr_t L_1272 = (((uintptr_t)((int32_t)((uint32_t)L_1271>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1273 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1274 = V_6; NullCheck(L_1273); IL2CPP_ARRAY_BOUNDS_CHECK(L_1273, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1274>>((int32_t)16))))))); int32_t L_1275 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1274>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1276 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1277 = V_0; NullCheck(L_1276); IL2CPP_ARRAY_BOUNDS_CHECK(L_1276, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1277>>8)))))); int32_t L_1278 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1277>>8))))); UInt32U5BU5D_t2133601851* L_1279 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1280 = V_1; NullCheck(L_1279); IL2CPP_ARRAY_BOUNDS_CHECK(L_1279, (((int32_t)((uint8_t)L_1280)))); int32_t L_1281 = (((int32_t)((uint8_t)L_1280))); UInt32U5BU5D_t2133601851* L_1282 = ___ekey; NullCheck(L_1282); IL2CPP_ARRAY_BOUNDS_CHECK(L_1282, ((int32_t)93)); int32_t L_1283 = ((int32_t)93); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1270)->GetAt(static_cast<il2cpp_array_size_t>(L_1272)))^(int32_t)((L_1273)->GetAt(static_cast<il2cpp_array_size_t>(L_1275)))))^(int32_t)((L_1276)->GetAt(static_cast<il2cpp_array_size_t>(L_1278)))))^(int32_t)((L_1279)->GetAt(static_cast<il2cpp_array_size_t>(L_1281)))))^(int32_t)((L_1282)->GetAt(static_cast<il2cpp_array_size_t>(L_1283))))); UInt32U5BU5D_t2133601851* L_1284 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1285 = V_6; NullCheck(L_1284); IL2CPP_ARRAY_BOUNDS_CHECK(L_1284, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1285>>((int32_t)24)))))); uintptr_t L_1286 = (((uintptr_t)((int32_t)((uint32_t)L_1285>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1287 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1288 = V_7; NullCheck(L_1287); IL2CPP_ARRAY_BOUNDS_CHECK(L_1287, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1288>>((int32_t)16))))))); int32_t L_1289 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1288>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1290 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1291 = V_1; NullCheck(L_1290); IL2CPP_ARRAY_BOUNDS_CHECK(L_1290, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1291>>8)))))); int32_t L_1292 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1291>>8))))); UInt32U5BU5D_t2133601851* L_1293 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1294 = V_2; NullCheck(L_1293); IL2CPP_ARRAY_BOUNDS_CHECK(L_1293, (((int32_t)((uint8_t)L_1294)))); int32_t L_1295 = (((int32_t)((uint8_t)L_1294))); UInt32U5BU5D_t2133601851* L_1296 = ___ekey; NullCheck(L_1296); IL2CPP_ARRAY_BOUNDS_CHECK(L_1296, ((int32_t)94)); int32_t L_1297 = ((int32_t)94); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1284)->GetAt(static_cast<il2cpp_array_size_t>(L_1286)))^(int32_t)((L_1287)->GetAt(static_cast<il2cpp_array_size_t>(L_1289)))))^(int32_t)((L_1290)->GetAt(static_cast<il2cpp_array_size_t>(L_1292)))))^(int32_t)((L_1293)->GetAt(static_cast<il2cpp_array_size_t>(L_1295)))))^(int32_t)((L_1296)->GetAt(static_cast<il2cpp_array_size_t>(L_1297))))); UInt32U5BU5D_t2133601851* L_1298 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1299 = V_7; NullCheck(L_1298); IL2CPP_ARRAY_BOUNDS_CHECK(L_1298, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1299>>((int32_t)24)))))); uintptr_t L_1300 = (((uintptr_t)((int32_t)((uint32_t)L_1299>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1301 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1302 = V_0; NullCheck(L_1301); IL2CPP_ARRAY_BOUNDS_CHECK(L_1301, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1302>>((int32_t)16))))))); int32_t L_1303 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1302>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1304 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1305 = V_2; NullCheck(L_1304); IL2CPP_ARRAY_BOUNDS_CHECK(L_1304, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1305>>8)))))); int32_t L_1306 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1305>>8))))); UInt32U5BU5D_t2133601851* L_1307 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1308 = V_3; NullCheck(L_1307); IL2CPP_ARRAY_BOUNDS_CHECK(L_1307, (((int32_t)((uint8_t)L_1308)))); int32_t L_1309 = (((int32_t)((uint8_t)L_1308))); UInt32U5BU5D_t2133601851* L_1310 = ___ekey; NullCheck(L_1310); IL2CPP_ARRAY_BOUNDS_CHECK(L_1310, ((int32_t)95)); int32_t L_1311 = ((int32_t)95); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1298)->GetAt(static_cast<il2cpp_array_size_t>(L_1300)))^(int32_t)((L_1301)->GetAt(static_cast<il2cpp_array_size_t>(L_1303)))))^(int32_t)((L_1304)->GetAt(static_cast<il2cpp_array_size_t>(L_1306)))))^(int32_t)((L_1307)->GetAt(static_cast<il2cpp_array_size_t>(L_1309)))))^(int32_t)((L_1310)->GetAt(static_cast<il2cpp_array_size_t>(L_1311))))); UInt32U5BU5D_t2133601851* L_1312 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1313 = V_8; NullCheck(L_1312); IL2CPP_ARRAY_BOUNDS_CHECK(L_1312, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1313>>((int32_t)24)))))); uintptr_t L_1314 = (((uintptr_t)((int32_t)((uint32_t)L_1313>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1315 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1316 = V_9; NullCheck(L_1315); IL2CPP_ARRAY_BOUNDS_CHECK(L_1315, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1316>>((int32_t)16))))))); int32_t L_1317 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1316>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1318 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1319 = V_11; NullCheck(L_1318); IL2CPP_ARRAY_BOUNDS_CHECK(L_1318, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1319>>8)))))); int32_t L_1320 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1319>>8))))); UInt32U5BU5D_t2133601851* L_1321 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1322 = V_12; NullCheck(L_1321); IL2CPP_ARRAY_BOUNDS_CHECK(L_1321, (((int32_t)((uint8_t)L_1322)))); int32_t L_1323 = (((int32_t)((uint8_t)L_1322))); UInt32U5BU5D_t2133601851* L_1324 = ___ekey; NullCheck(L_1324); IL2CPP_ARRAY_BOUNDS_CHECK(L_1324, ((int32_t)96)); int32_t L_1325 = ((int32_t)96); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1312)->GetAt(static_cast<il2cpp_array_size_t>(L_1314)))^(int32_t)((L_1315)->GetAt(static_cast<il2cpp_array_size_t>(L_1317)))))^(int32_t)((L_1318)->GetAt(static_cast<il2cpp_array_size_t>(L_1320)))))^(int32_t)((L_1321)->GetAt(static_cast<il2cpp_array_size_t>(L_1323)))))^(int32_t)((L_1324)->GetAt(static_cast<il2cpp_array_size_t>(L_1325))))); UInt32U5BU5D_t2133601851* L_1326 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1327 = V_9; NullCheck(L_1326); IL2CPP_ARRAY_BOUNDS_CHECK(L_1326, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1327>>((int32_t)24)))))); uintptr_t L_1328 = (((uintptr_t)((int32_t)((uint32_t)L_1327>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1329 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1330 = V_10; NullCheck(L_1329); IL2CPP_ARRAY_BOUNDS_CHECK(L_1329, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1330>>((int32_t)16))))))); int32_t L_1331 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1330>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1332 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1333 = V_12; NullCheck(L_1332); IL2CPP_ARRAY_BOUNDS_CHECK(L_1332, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1333>>8)))))); int32_t L_1334 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1333>>8))))); UInt32U5BU5D_t2133601851* L_1335 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1336 = V_13; NullCheck(L_1335); IL2CPP_ARRAY_BOUNDS_CHECK(L_1335, (((int32_t)((uint8_t)L_1336)))); int32_t L_1337 = (((int32_t)((uint8_t)L_1336))); UInt32U5BU5D_t2133601851* L_1338 = ___ekey; NullCheck(L_1338); IL2CPP_ARRAY_BOUNDS_CHECK(L_1338, ((int32_t)97)); int32_t L_1339 = ((int32_t)97); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1326)->GetAt(static_cast<il2cpp_array_size_t>(L_1328)))^(int32_t)((L_1329)->GetAt(static_cast<il2cpp_array_size_t>(L_1331)))))^(int32_t)((L_1332)->GetAt(static_cast<il2cpp_array_size_t>(L_1334)))))^(int32_t)((L_1335)->GetAt(static_cast<il2cpp_array_size_t>(L_1337)))))^(int32_t)((L_1338)->GetAt(static_cast<il2cpp_array_size_t>(L_1339))))); UInt32U5BU5D_t2133601851* L_1340 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1341 = V_10; NullCheck(L_1340); IL2CPP_ARRAY_BOUNDS_CHECK(L_1340, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1341>>((int32_t)24)))))); uintptr_t L_1342 = (((uintptr_t)((int32_t)((uint32_t)L_1341>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1343 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1344 = V_11; NullCheck(L_1343); IL2CPP_ARRAY_BOUNDS_CHECK(L_1343, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1344>>((int32_t)16))))))); int32_t L_1345 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1344>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1346 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1347 = V_13; NullCheck(L_1346); IL2CPP_ARRAY_BOUNDS_CHECK(L_1346, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1347>>8)))))); int32_t L_1348 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1347>>8))))); UInt32U5BU5D_t2133601851* L_1349 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1350 = V_14; NullCheck(L_1349); IL2CPP_ARRAY_BOUNDS_CHECK(L_1349, (((int32_t)((uint8_t)L_1350)))); int32_t L_1351 = (((int32_t)((uint8_t)L_1350))); UInt32U5BU5D_t2133601851* L_1352 = ___ekey; NullCheck(L_1352); IL2CPP_ARRAY_BOUNDS_CHECK(L_1352, ((int32_t)98)); int32_t L_1353 = ((int32_t)98); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1340)->GetAt(static_cast<il2cpp_array_size_t>(L_1342)))^(int32_t)((L_1343)->GetAt(static_cast<il2cpp_array_size_t>(L_1345)))))^(int32_t)((L_1346)->GetAt(static_cast<il2cpp_array_size_t>(L_1348)))))^(int32_t)((L_1349)->GetAt(static_cast<il2cpp_array_size_t>(L_1351)))))^(int32_t)((L_1352)->GetAt(static_cast<il2cpp_array_size_t>(L_1353))))); UInt32U5BU5D_t2133601851* L_1354 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1355 = V_11; NullCheck(L_1354); IL2CPP_ARRAY_BOUNDS_CHECK(L_1354, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1355>>((int32_t)24)))))); uintptr_t L_1356 = (((uintptr_t)((int32_t)((uint32_t)L_1355>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1357 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1358 = V_12; NullCheck(L_1357); IL2CPP_ARRAY_BOUNDS_CHECK(L_1357, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1358>>((int32_t)16))))))); int32_t L_1359 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1358>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1360 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1361 = V_14; NullCheck(L_1360); IL2CPP_ARRAY_BOUNDS_CHECK(L_1360, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1361>>8)))))); int32_t L_1362 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1361>>8))))); UInt32U5BU5D_t2133601851* L_1363 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1364 = V_15; NullCheck(L_1363); IL2CPP_ARRAY_BOUNDS_CHECK(L_1363, (((int32_t)((uint8_t)L_1364)))); int32_t L_1365 = (((int32_t)((uint8_t)L_1364))); UInt32U5BU5D_t2133601851* L_1366 = ___ekey; NullCheck(L_1366); IL2CPP_ARRAY_BOUNDS_CHECK(L_1366, ((int32_t)99)); int32_t L_1367 = ((int32_t)99); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1354)->GetAt(static_cast<il2cpp_array_size_t>(L_1356)))^(int32_t)((L_1357)->GetAt(static_cast<il2cpp_array_size_t>(L_1359)))))^(int32_t)((L_1360)->GetAt(static_cast<il2cpp_array_size_t>(L_1362)))))^(int32_t)((L_1363)->GetAt(static_cast<il2cpp_array_size_t>(L_1365)))))^(int32_t)((L_1366)->GetAt(static_cast<il2cpp_array_size_t>(L_1367))))); UInt32U5BU5D_t2133601851* L_1368 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1369 = V_12; NullCheck(L_1368); IL2CPP_ARRAY_BOUNDS_CHECK(L_1368, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1369>>((int32_t)24)))))); uintptr_t L_1370 = (((uintptr_t)((int32_t)((uint32_t)L_1369>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1371 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1372 = V_13; NullCheck(L_1371); IL2CPP_ARRAY_BOUNDS_CHECK(L_1371, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1372>>((int32_t)16))))))); int32_t L_1373 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1372>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1374 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1375 = V_15; NullCheck(L_1374); IL2CPP_ARRAY_BOUNDS_CHECK(L_1374, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1375>>8)))))); int32_t L_1376 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1375>>8))))); UInt32U5BU5D_t2133601851* L_1377 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1378 = V_8; NullCheck(L_1377); IL2CPP_ARRAY_BOUNDS_CHECK(L_1377, (((int32_t)((uint8_t)L_1378)))); int32_t L_1379 = (((int32_t)((uint8_t)L_1378))); UInt32U5BU5D_t2133601851* L_1380 = ___ekey; NullCheck(L_1380); IL2CPP_ARRAY_BOUNDS_CHECK(L_1380, ((int32_t)100)); int32_t L_1381 = ((int32_t)100); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1368)->GetAt(static_cast<il2cpp_array_size_t>(L_1370)))^(int32_t)((L_1371)->GetAt(static_cast<il2cpp_array_size_t>(L_1373)))))^(int32_t)((L_1374)->GetAt(static_cast<il2cpp_array_size_t>(L_1376)))))^(int32_t)((L_1377)->GetAt(static_cast<il2cpp_array_size_t>(L_1379)))))^(int32_t)((L_1380)->GetAt(static_cast<il2cpp_array_size_t>(L_1381))))); UInt32U5BU5D_t2133601851* L_1382 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1383 = V_13; NullCheck(L_1382); IL2CPP_ARRAY_BOUNDS_CHECK(L_1382, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1383>>((int32_t)24)))))); uintptr_t L_1384 = (((uintptr_t)((int32_t)((uint32_t)L_1383>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1385 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1386 = V_14; NullCheck(L_1385); IL2CPP_ARRAY_BOUNDS_CHECK(L_1385, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1386>>((int32_t)16))))))); int32_t L_1387 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1386>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1388 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1389 = V_8; NullCheck(L_1388); IL2CPP_ARRAY_BOUNDS_CHECK(L_1388, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1389>>8)))))); int32_t L_1390 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1389>>8))))); UInt32U5BU5D_t2133601851* L_1391 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1392 = V_9; NullCheck(L_1391); IL2CPP_ARRAY_BOUNDS_CHECK(L_1391, (((int32_t)((uint8_t)L_1392)))); int32_t L_1393 = (((int32_t)((uint8_t)L_1392))); UInt32U5BU5D_t2133601851* L_1394 = ___ekey; NullCheck(L_1394); IL2CPP_ARRAY_BOUNDS_CHECK(L_1394, ((int32_t)101)); int32_t L_1395 = ((int32_t)101); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1382)->GetAt(static_cast<il2cpp_array_size_t>(L_1384)))^(int32_t)((L_1385)->GetAt(static_cast<il2cpp_array_size_t>(L_1387)))))^(int32_t)((L_1388)->GetAt(static_cast<il2cpp_array_size_t>(L_1390)))))^(int32_t)((L_1391)->GetAt(static_cast<il2cpp_array_size_t>(L_1393)))))^(int32_t)((L_1394)->GetAt(static_cast<il2cpp_array_size_t>(L_1395))))); UInt32U5BU5D_t2133601851* L_1396 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1397 = V_14; NullCheck(L_1396); IL2CPP_ARRAY_BOUNDS_CHECK(L_1396, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1397>>((int32_t)24)))))); uintptr_t L_1398 = (((uintptr_t)((int32_t)((uint32_t)L_1397>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1399 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1400 = V_15; NullCheck(L_1399); IL2CPP_ARRAY_BOUNDS_CHECK(L_1399, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1400>>((int32_t)16))))))); int32_t L_1401 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1400>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1402 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1403 = V_9; NullCheck(L_1402); IL2CPP_ARRAY_BOUNDS_CHECK(L_1402, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1403>>8)))))); int32_t L_1404 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1403>>8))))); UInt32U5BU5D_t2133601851* L_1405 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1406 = V_10; NullCheck(L_1405); IL2CPP_ARRAY_BOUNDS_CHECK(L_1405, (((int32_t)((uint8_t)L_1406)))); int32_t L_1407 = (((int32_t)((uint8_t)L_1406))); UInt32U5BU5D_t2133601851* L_1408 = ___ekey; NullCheck(L_1408); IL2CPP_ARRAY_BOUNDS_CHECK(L_1408, ((int32_t)102)); int32_t L_1409 = ((int32_t)102); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1396)->GetAt(static_cast<il2cpp_array_size_t>(L_1398)))^(int32_t)((L_1399)->GetAt(static_cast<il2cpp_array_size_t>(L_1401)))))^(int32_t)((L_1402)->GetAt(static_cast<il2cpp_array_size_t>(L_1404)))))^(int32_t)((L_1405)->GetAt(static_cast<il2cpp_array_size_t>(L_1407)))))^(int32_t)((L_1408)->GetAt(static_cast<il2cpp_array_size_t>(L_1409))))); UInt32U5BU5D_t2133601851* L_1410 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1411 = V_15; NullCheck(L_1410); IL2CPP_ARRAY_BOUNDS_CHECK(L_1410, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1411>>((int32_t)24)))))); uintptr_t L_1412 = (((uintptr_t)((int32_t)((uint32_t)L_1411>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1413 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1414 = V_8; NullCheck(L_1413); IL2CPP_ARRAY_BOUNDS_CHECK(L_1413, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1414>>((int32_t)16))))))); int32_t L_1415 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1414>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1416 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1417 = V_10; NullCheck(L_1416); IL2CPP_ARRAY_BOUNDS_CHECK(L_1416, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1417>>8)))))); int32_t L_1418 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1417>>8))))); UInt32U5BU5D_t2133601851* L_1419 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1420 = V_11; NullCheck(L_1419); IL2CPP_ARRAY_BOUNDS_CHECK(L_1419, (((int32_t)((uint8_t)L_1420)))); int32_t L_1421 = (((int32_t)((uint8_t)L_1420))); UInt32U5BU5D_t2133601851* L_1422 = ___ekey; NullCheck(L_1422); IL2CPP_ARRAY_BOUNDS_CHECK(L_1422, ((int32_t)103)); int32_t L_1423 = ((int32_t)103); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1410)->GetAt(static_cast<il2cpp_array_size_t>(L_1412)))^(int32_t)((L_1413)->GetAt(static_cast<il2cpp_array_size_t>(L_1415)))))^(int32_t)((L_1416)->GetAt(static_cast<il2cpp_array_size_t>(L_1418)))))^(int32_t)((L_1419)->GetAt(static_cast<il2cpp_array_size_t>(L_1421)))))^(int32_t)((L_1422)->GetAt(static_cast<il2cpp_array_size_t>(L_1423))))); UInt32U5BU5D_t2133601851* L_1424 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1425 = V_0; NullCheck(L_1424); IL2CPP_ARRAY_BOUNDS_CHECK(L_1424, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1425>>((int32_t)24)))))); uintptr_t L_1426 = (((uintptr_t)((int32_t)((uint32_t)L_1425>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1427 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1428 = V_1; NullCheck(L_1427); IL2CPP_ARRAY_BOUNDS_CHECK(L_1427, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1428>>((int32_t)16))))))); int32_t L_1429 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1428>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1430 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1431 = V_3; NullCheck(L_1430); IL2CPP_ARRAY_BOUNDS_CHECK(L_1430, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1431>>8)))))); int32_t L_1432 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1431>>8))))); UInt32U5BU5D_t2133601851* L_1433 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1434 = V_4; NullCheck(L_1433); IL2CPP_ARRAY_BOUNDS_CHECK(L_1433, (((int32_t)((uint8_t)L_1434)))); int32_t L_1435 = (((int32_t)((uint8_t)L_1434))); UInt32U5BU5D_t2133601851* L_1436 = ___ekey; NullCheck(L_1436); IL2CPP_ARRAY_BOUNDS_CHECK(L_1436, ((int32_t)104)); int32_t L_1437 = ((int32_t)104); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1424)->GetAt(static_cast<il2cpp_array_size_t>(L_1426)))^(int32_t)((L_1427)->GetAt(static_cast<il2cpp_array_size_t>(L_1429)))))^(int32_t)((L_1430)->GetAt(static_cast<il2cpp_array_size_t>(L_1432)))))^(int32_t)((L_1433)->GetAt(static_cast<il2cpp_array_size_t>(L_1435)))))^(int32_t)((L_1436)->GetAt(static_cast<il2cpp_array_size_t>(L_1437))))); UInt32U5BU5D_t2133601851* L_1438 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1439 = V_1; NullCheck(L_1438); IL2CPP_ARRAY_BOUNDS_CHECK(L_1438, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1439>>((int32_t)24)))))); uintptr_t L_1440 = (((uintptr_t)((int32_t)((uint32_t)L_1439>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1441 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1442 = V_2; NullCheck(L_1441); IL2CPP_ARRAY_BOUNDS_CHECK(L_1441, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1442>>((int32_t)16))))))); int32_t L_1443 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1442>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1444 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1445 = V_4; NullCheck(L_1444); IL2CPP_ARRAY_BOUNDS_CHECK(L_1444, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1445>>8)))))); int32_t L_1446 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1445>>8))))); UInt32U5BU5D_t2133601851* L_1447 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1448 = V_5; NullCheck(L_1447); IL2CPP_ARRAY_BOUNDS_CHECK(L_1447, (((int32_t)((uint8_t)L_1448)))); int32_t L_1449 = (((int32_t)((uint8_t)L_1448))); UInt32U5BU5D_t2133601851* L_1450 = ___ekey; NullCheck(L_1450); IL2CPP_ARRAY_BOUNDS_CHECK(L_1450, ((int32_t)105)); int32_t L_1451 = ((int32_t)105); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1438)->GetAt(static_cast<il2cpp_array_size_t>(L_1440)))^(int32_t)((L_1441)->GetAt(static_cast<il2cpp_array_size_t>(L_1443)))))^(int32_t)((L_1444)->GetAt(static_cast<il2cpp_array_size_t>(L_1446)))))^(int32_t)((L_1447)->GetAt(static_cast<il2cpp_array_size_t>(L_1449)))))^(int32_t)((L_1450)->GetAt(static_cast<il2cpp_array_size_t>(L_1451))))); UInt32U5BU5D_t2133601851* L_1452 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1453 = V_2; NullCheck(L_1452); IL2CPP_ARRAY_BOUNDS_CHECK(L_1452, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1453>>((int32_t)24)))))); uintptr_t L_1454 = (((uintptr_t)((int32_t)((uint32_t)L_1453>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1455 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1456 = V_3; NullCheck(L_1455); IL2CPP_ARRAY_BOUNDS_CHECK(L_1455, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1456>>((int32_t)16))))))); int32_t L_1457 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1456>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1458 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1459 = V_5; NullCheck(L_1458); IL2CPP_ARRAY_BOUNDS_CHECK(L_1458, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1459>>8)))))); int32_t L_1460 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1459>>8))))); UInt32U5BU5D_t2133601851* L_1461 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1462 = V_6; NullCheck(L_1461); IL2CPP_ARRAY_BOUNDS_CHECK(L_1461, (((int32_t)((uint8_t)L_1462)))); int32_t L_1463 = (((int32_t)((uint8_t)L_1462))); UInt32U5BU5D_t2133601851* L_1464 = ___ekey; NullCheck(L_1464); IL2CPP_ARRAY_BOUNDS_CHECK(L_1464, ((int32_t)106)); int32_t L_1465 = ((int32_t)106); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1452)->GetAt(static_cast<il2cpp_array_size_t>(L_1454)))^(int32_t)((L_1455)->GetAt(static_cast<il2cpp_array_size_t>(L_1457)))))^(int32_t)((L_1458)->GetAt(static_cast<il2cpp_array_size_t>(L_1460)))))^(int32_t)((L_1461)->GetAt(static_cast<il2cpp_array_size_t>(L_1463)))))^(int32_t)((L_1464)->GetAt(static_cast<il2cpp_array_size_t>(L_1465))))); UInt32U5BU5D_t2133601851* L_1466 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1467 = V_3; NullCheck(L_1466); IL2CPP_ARRAY_BOUNDS_CHECK(L_1466, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1467>>((int32_t)24)))))); uintptr_t L_1468 = (((uintptr_t)((int32_t)((uint32_t)L_1467>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1469 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1470 = V_4; NullCheck(L_1469); IL2CPP_ARRAY_BOUNDS_CHECK(L_1469, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1470>>((int32_t)16))))))); int32_t L_1471 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1470>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1472 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1473 = V_6; NullCheck(L_1472); IL2CPP_ARRAY_BOUNDS_CHECK(L_1472, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1473>>8)))))); int32_t L_1474 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1473>>8))))); UInt32U5BU5D_t2133601851* L_1475 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1476 = V_7; NullCheck(L_1475); IL2CPP_ARRAY_BOUNDS_CHECK(L_1475, (((int32_t)((uint8_t)L_1476)))); int32_t L_1477 = (((int32_t)((uint8_t)L_1476))); UInt32U5BU5D_t2133601851* L_1478 = ___ekey; NullCheck(L_1478); IL2CPP_ARRAY_BOUNDS_CHECK(L_1478, ((int32_t)107)); int32_t L_1479 = ((int32_t)107); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1466)->GetAt(static_cast<il2cpp_array_size_t>(L_1468)))^(int32_t)((L_1469)->GetAt(static_cast<il2cpp_array_size_t>(L_1471)))))^(int32_t)((L_1472)->GetAt(static_cast<il2cpp_array_size_t>(L_1474)))))^(int32_t)((L_1475)->GetAt(static_cast<il2cpp_array_size_t>(L_1477)))))^(int32_t)((L_1478)->GetAt(static_cast<il2cpp_array_size_t>(L_1479))))); UInt32U5BU5D_t2133601851* L_1480 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1481 = V_4; NullCheck(L_1480); IL2CPP_ARRAY_BOUNDS_CHECK(L_1480, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1481>>((int32_t)24)))))); uintptr_t L_1482 = (((uintptr_t)((int32_t)((uint32_t)L_1481>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1483 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1484 = V_5; NullCheck(L_1483); IL2CPP_ARRAY_BOUNDS_CHECK(L_1483, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1484>>((int32_t)16))))))); int32_t L_1485 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1484>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1486 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1487 = V_7; NullCheck(L_1486); IL2CPP_ARRAY_BOUNDS_CHECK(L_1486, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1487>>8)))))); int32_t L_1488 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1487>>8))))); UInt32U5BU5D_t2133601851* L_1489 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1490 = V_0; NullCheck(L_1489); IL2CPP_ARRAY_BOUNDS_CHECK(L_1489, (((int32_t)((uint8_t)L_1490)))); int32_t L_1491 = (((int32_t)((uint8_t)L_1490))); UInt32U5BU5D_t2133601851* L_1492 = ___ekey; NullCheck(L_1492); IL2CPP_ARRAY_BOUNDS_CHECK(L_1492, ((int32_t)108)); int32_t L_1493 = ((int32_t)108); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1480)->GetAt(static_cast<il2cpp_array_size_t>(L_1482)))^(int32_t)((L_1483)->GetAt(static_cast<il2cpp_array_size_t>(L_1485)))))^(int32_t)((L_1486)->GetAt(static_cast<il2cpp_array_size_t>(L_1488)))))^(int32_t)((L_1489)->GetAt(static_cast<il2cpp_array_size_t>(L_1491)))))^(int32_t)((L_1492)->GetAt(static_cast<il2cpp_array_size_t>(L_1493))))); UInt32U5BU5D_t2133601851* L_1494 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1495 = V_5; NullCheck(L_1494); IL2CPP_ARRAY_BOUNDS_CHECK(L_1494, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1495>>((int32_t)24)))))); uintptr_t L_1496 = (((uintptr_t)((int32_t)((uint32_t)L_1495>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1497 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1498 = V_6; NullCheck(L_1497); IL2CPP_ARRAY_BOUNDS_CHECK(L_1497, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1498>>((int32_t)16))))))); int32_t L_1499 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1498>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1500 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1501 = V_0; NullCheck(L_1500); IL2CPP_ARRAY_BOUNDS_CHECK(L_1500, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1501>>8)))))); int32_t L_1502 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1501>>8))))); UInt32U5BU5D_t2133601851* L_1503 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1504 = V_1; NullCheck(L_1503); IL2CPP_ARRAY_BOUNDS_CHECK(L_1503, (((int32_t)((uint8_t)L_1504)))); int32_t L_1505 = (((int32_t)((uint8_t)L_1504))); UInt32U5BU5D_t2133601851* L_1506 = ___ekey; NullCheck(L_1506); IL2CPP_ARRAY_BOUNDS_CHECK(L_1506, ((int32_t)109)); int32_t L_1507 = ((int32_t)109); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1494)->GetAt(static_cast<il2cpp_array_size_t>(L_1496)))^(int32_t)((L_1497)->GetAt(static_cast<il2cpp_array_size_t>(L_1499)))))^(int32_t)((L_1500)->GetAt(static_cast<il2cpp_array_size_t>(L_1502)))))^(int32_t)((L_1503)->GetAt(static_cast<il2cpp_array_size_t>(L_1505)))))^(int32_t)((L_1506)->GetAt(static_cast<il2cpp_array_size_t>(L_1507))))); UInt32U5BU5D_t2133601851* L_1508 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1509 = V_6; NullCheck(L_1508); IL2CPP_ARRAY_BOUNDS_CHECK(L_1508, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1509>>((int32_t)24)))))); uintptr_t L_1510 = (((uintptr_t)((int32_t)((uint32_t)L_1509>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1511 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1512 = V_7; NullCheck(L_1511); IL2CPP_ARRAY_BOUNDS_CHECK(L_1511, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1512>>((int32_t)16))))))); int32_t L_1513 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1512>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1514 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1515 = V_1; NullCheck(L_1514); IL2CPP_ARRAY_BOUNDS_CHECK(L_1514, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1515>>8)))))); int32_t L_1516 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1515>>8))))); UInt32U5BU5D_t2133601851* L_1517 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1518 = V_2; NullCheck(L_1517); IL2CPP_ARRAY_BOUNDS_CHECK(L_1517, (((int32_t)((uint8_t)L_1518)))); int32_t L_1519 = (((int32_t)((uint8_t)L_1518))); UInt32U5BU5D_t2133601851* L_1520 = ___ekey; NullCheck(L_1520); IL2CPP_ARRAY_BOUNDS_CHECK(L_1520, ((int32_t)110)); int32_t L_1521 = ((int32_t)110); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1508)->GetAt(static_cast<il2cpp_array_size_t>(L_1510)))^(int32_t)((L_1511)->GetAt(static_cast<il2cpp_array_size_t>(L_1513)))))^(int32_t)((L_1514)->GetAt(static_cast<il2cpp_array_size_t>(L_1516)))))^(int32_t)((L_1517)->GetAt(static_cast<il2cpp_array_size_t>(L_1519)))))^(int32_t)((L_1520)->GetAt(static_cast<il2cpp_array_size_t>(L_1521))))); UInt32U5BU5D_t2133601851* L_1522 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T0_19(); uint32_t L_1523 = V_7; NullCheck(L_1522); IL2CPP_ARRAY_BOUNDS_CHECK(L_1522, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1523>>((int32_t)24)))))); uintptr_t L_1524 = (((uintptr_t)((int32_t)((uint32_t)L_1523>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1525 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T1_20(); uint32_t L_1526 = V_0; NullCheck(L_1525); IL2CPP_ARRAY_BOUNDS_CHECK(L_1525, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1526>>((int32_t)16))))))); int32_t L_1527 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1526>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1528 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T2_21(); uint32_t L_1529 = V_2; NullCheck(L_1528); IL2CPP_ARRAY_BOUNDS_CHECK(L_1528, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1529>>8)))))); int32_t L_1530 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1529>>8))))); UInt32U5BU5D_t2133601851* L_1531 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_T3_22(); uint32_t L_1532 = V_3; NullCheck(L_1531); IL2CPP_ARRAY_BOUNDS_CHECK(L_1531, (((int32_t)((uint8_t)L_1532)))); int32_t L_1533 = (((int32_t)((uint8_t)L_1532))); UInt32U5BU5D_t2133601851* L_1534 = ___ekey; NullCheck(L_1534); IL2CPP_ARRAY_BOUNDS_CHECK(L_1534, ((int32_t)111)); int32_t L_1535 = ((int32_t)111); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1522)->GetAt(static_cast<il2cpp_array_size_t>(L_1524)))^(int32_t)((L_1525)->GetAt(static_cast<il2cpp_array_size_t>(L_1527)))))^(int32_t)((L_1528)->GetAt(static_cast<il2cpp_array_size_t>(L_1530)))))^(int32_t)((L_1531)->GetAt(static_cast<il2cpp_array_size_t>(L_1533)))))^(int32_t)((L_1534)->GetAt(static_cast<il2cpp_array_size_t>(L_1535))))); ByteU5BU5D_t58506160* L_1536 = ___outdata; ByteU5BU5D_t58506160* L_1537 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1538 = V_8; NullCheck(L_1537); IL2CPP_ARRAY_BOUNDS_CHECK(L_1537, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1538>>((int32_t)24)))))); uintptr_t L_1539 = (((uintptr_t)((int32_t)((uint32_t)L_1538>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1540 = ___ekey; NullCheck(L_1540); IL2CPP_ARRAY_BOUNDS_CHECK(L_1540, ((int32_t)112)); int32_t L_1541 = ((int32_t)112); NullCheck(L_1536); IL2CPP_ARRAY_BOUNDS_CHECK(L_1536, 0); (L_1536)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1537)->GetAt(static_cast<il2cpp_array_size_t>(L_1539)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1540)->GetAt(static_cast<il2cpp_array_size_t>(L_1541)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1542 = ___outdata; ByteU5BU5D_t58506160* L_1543 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1544 = V_9; NullCheck(L_1543); IL2CPP_ARRAY_BOUNDS_CHECK(L_1543, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1544>>((int32_t)16))))))); int32_t L_1545 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1544>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1546 = ___ekey; NullCheck(L_1546); IL2CPP_ARRAY_BOUNDS_CHECK(L_1546, ((int32_t)112)); int32_t L_1547 = ((int32_t)112); NullCheck(L_1542); IL2CPP_ARRAY_BOUNDS_CHECK(L_1542, 1); (L_1542)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1543)->GetAt(static_cast<il2cpp_array_size_t>(L_1545)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1546)->GetAt(static_cast<il2cpp_array_size_t>(L_1547)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1548 = ___outdata; ByteU5BU5D_t58506160* L_1549 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1550 = V_11; NullCheck(L_1549); IL2CPP_ARRAY_BOUNDS_CHECK(L_1549, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1550>>8)))))); int32_t L_1551 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1550>>8))))); UInt32U5BU5D_t2133601851* L_1552 = ___ekey; NullCheck(L_1552); IL2CPP_ARRAY_BOUNDS_CHECK(L_1552, ((int32_t)112)); int32_t L_1553 = ((int32_t)112); NullCheck(L_1548); IL2CPP_ARRAY_BOUNDS_CHECK(L_1548, 2); (L_1548)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1549)->GetAt(static_cast<il2cpp_array_size_t>(L_1551)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1552)->GetAt(static_cast<il2cpp_array_size_t>(L_1553)))>>8))))))))))); ByteU5BU5D_t58506160* L_1554 = ___outdata; ByteU5BU5D_t58506160* L_1555 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1556 = V_12; NullCheck(L_1555); IL2CPP_ARRAY_BOUNDS_CHECK(L_1555, (((int32_t)((uint8_t)L_1556)))); int32_t L_1557 = (((int32_t)((uint8_t)L_1556))); UInt32U5BU5D_t2133601851* L_1558 = ___ekey; NullCheck(L_1558); IL2CPP_ARRAY_BOUNDS_CHECK(L_1558, ((int32_t)112)); int32_t L_1559 = ((int32_t)112); NullCheck(L_1554); IL2CPP_ARRAY_BOUNDS_CHECK(L_1554, 3); (L_1554)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1555)->GetAt(static_cast<il2cpp_array_size_t>(L_1557)))^(int32_t)(((int32_t)((uint8_t)((L_1558)->GetAt(static_cast<il2cpp_array_size_t>(L_1559)))))))))))); ByteU5BU5D_t58506160* L_1560 = ___outdata; ByteU5BU5D_t58506160* L_1561 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1562 = V_9; NullCheck(L_1561); IL2CPP_ARRAY_BOUNDS_CHECK(L_1561, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1562>>((int32_t)24)))))); uintptr_t L_1563 = (((uintptr_t)((int32_t)((uint32_t)L_1562>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1564 = ___ekey; NullCheck(L_1564); IL2CPP_ARRAY_BOUNDS_CHECK(L_1564, ((int32_t)113)); int32_t L_1565 = ((int32_t)113); NullCheck(L_1560); IL2CPP_ARRAY_BOUNDS_CHECK(L_1560, 4); (L_1560)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1561)->GetAt(static_cast<il2cpp_array_size_t>(L_1563)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1564)->GetAt(static_cast<il2cpp_array_size_t>(L_1565)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1566 = ___outdata; ByteU5BU5D_t58506160* L_1567 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1568 = V_10; NullCheck(L_1567); IL2CPP_ARRAY_BOUNDS_CHECK(L_1567, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1568>>((int32_t)16))))))); int32_t L_1569 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1568>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1570 = ___ekey; NullCheck(L_1570); IL2CPP_ARRAY_BOUNDS_CHECK(L_1570, ((int32_t)113)); int32_t L_1571 = ((int32_t)113); NullCheck(L_1566); IL2CPP_ARRAY_BOUNDS_CHECK(L_1566, 5); (L_1566)->SetAt(static_cast<il2cpp_array_size_t>(5), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1567)->GetAt(static_cast<il2cpp_array_size_t>(L_1569)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1570)->GetAt(static_cast<il2cpp_array_size_t>(L_1571)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1572 = ___outdata; ByteU5BU5D_t58506160* L_1573 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1574 = V_12; NullCheck(L_1573); IL2CPP_ARRAY_BOUNDS_CHECK(L_1573, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1574>>8)))))); int32_t L_1575 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1574>>8))))); UInt32U5BU5D_t2133601851* L_1576 = ___ekey; NullCheck(L_1576); IL2CPP_ARRAY_BOUNDS_CHECK(L_1576, ((int32_t)113)); int32_t L_1577 = ((int32_t)113); NullCheck(L_1572); IL2CPP_ARRAY_BOUNDS_CHECK(L_1572, 6); (L_1572)->SetAt(static_cast<il2cpp_array_size_t>(6), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1573)->GetAt(static_cast<il2cpp_array_size_t>(L_1575)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1576)->GetAt(static_cast<il2cpp_array_size_t>(L_1577)))>>8))))))))))); ByteU5BU5D_t58506160* L_1578 = ___outdata; ByteU5BU5D_t58506160* L_1579 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1580 = V_13; NullCheck(L_1579); IL2CPP_ARRAY_BOUNDS_CHECK(L_1579, (((int32_t)((uint8_t)L_1580)))); int32_t L_1581 = (((int32_t)((uint8_t)L_1580))); UInt32U5BU5D_t2133601851* L_1582 = ___ekey; NullCheck(L_1582); IL2CPP_ARRAY_BOUNDS_CHECK(L_1582, ((int32_t)113)); int32_t L_1583 = ((int32_t)113); NullCheck(L_1578); IL2CPP_ARRAY_BOUNDS_CHECK(L_1578, 7); (L_1578)->SetAt(static_cast<il2cpp_array_size_t>(7), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1579)->GetAt(static_cast<il2cpp_array_size_t>(L_1581)))^(int32_t)(((int32_t)((uint8_t)((L_1582)->GetAt(static_cast<il2cpp_array_size_t>(L_1583)))))))))))); ByteU5BU5D_t58506160* L_1584 = ___outdata; ByteU5BU5D_t58506160* L_1585 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1586 = V_10; NullCheck(L_1585); IL2CPP_ARRAY_BOUNDS_CHECK(L_1585, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1586>>((int32_t)24)))))); uintptr_t L_1587 = (((uintptr_t)((int32_t)((uint32_t)L_1586>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1588 = ___ekey; NullCheck(L_1588); IL2CPP_ARRAY_BOUNDS_CHECK(L_1588, ((int32_t)114)); int32_t L_1589 = ((int32_t)114); NullCheck(L_1584); IL2CPP_ARRAY_BOUNDS_CHECK(L_1584, 8); (L_1584)->SetAt(static_cast<il2cpp_array_size_t>(8), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1585)->GetAt(static_cast<il2cpp_array_size_t>(L_1587)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1588)->GetAt(static_cast<il2cpp_array_size_t>(L_1589)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1590 = ___outdata; ByteU5BU5D_t58506160* L_1591 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1592 = V_11; NullCheck(L_1591); IL2CPP_ARRAY_BOUNDS_CHECK(L_1591, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1592>>((int32_t)16))))))); int32_t L_1593 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1592>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1594 = ___ekey; NullCheck(L_1594); IL2CPP_ARRAY_BOUNDS_CHECK(L_1594, ((int32_t)114)); int32_t L_1595 = ((int32_t)114); NullCheck(L_1590); IL2CPP_ARRAY_BOUNDS_CHECK(L_1590, ((int32_t)9)); (L_1590)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1591)->GetAt(static_cast<il2cpp_array_size_t>(L_1593)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1594)->GetAt(static_cast<il2cpp_array_size_t>(L_1595)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1596 = ___outdata; ByteU5BU5D_t58506160* L_1597 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1598 = V_13; NullCheck(L_1597); IL2CPP_ARRAY_BOUNDS_CHECK(L_1597, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1598>>8)))))); int32_t L_1599 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1598>>8))))); UInt32U5BU5D_t2133601851* L_1600 = ___ekey; NullCheck(L_1600); IL2CPP_ARRAY_BOUNDS_CHECK(L_1600, ((int32_t)114)); int32_t L_1601 = ((int32_t)114); NullCheck(L_1596); IL2CPP_ARRAY_BOUNDS_CHECK(L_1596, ((int32_t)10)); (L_1596)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)10)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1597)->GetAt(static_cast<il2cpp_array_size_t>(L_1599)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1600)->GetAt(static_cast<il2cpp_array_size_t>(L_1601)))>>8))))))))))); ByteU5BU5D_t58506160* L_1602 = ___outdata; ByteU5BU5D_t58506160* L_1603 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1604 = V_14; NullCheck(L_1603); IL2CPP_ARRAY_BOUNDS_CHECK(L_1603, (((int32_t)((uint8_t)L_1604)))); int32_t L_1605 = (((int32_t)((uint8_t)L_1604))); UInt32U5BU5D_t2133601851* L_1606 = ___ekey; NullCheck(L_1606); IL2CPP_ARRAY_BOUNDS_CHECK(L_1606, ((int32_t)114)); int32_t L_1607 = ((int32_t)114); NullCheck(L_1602); IL2CPP_ARRAY_BOUNDS_CHECK(L_1602, ((int32_t)11)); (L_1602)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)11)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1603)->GetAt(static_cast<il2cpp_array_size_t>(L_1605)))^(int32_t)(((int32_t)((uint8_t)((L_1606)->GetAt(static_cast<il2cpp_array_size_t>(L_1607)))))))))))); ByteU5BU5D_t58506160* L_1608 = ___outdata; ByteU5BU5D_t58506160* L_1609 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1610 = V_11; NullCheck(L_1609); IL2CPP_ARRAY_BOUNDS_CHECK(L_1609, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1610>>((int32_t)24)))))); uintptr_t L_1611 = (((uintptr_t)((int32_t)((uint32_t)L_1610>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1612 = ___ekey; NullCheck(L_1612); IL2CPP_ARRAY_BOUNDS_CHECK(L_1612, ((int32_t)115)); int32_t L_1613 = ((int32_t)115); NullCheck(L_1608); IL2CPP_ARRAY_BOUNDS_CHECK(L_1608, ((int32_t)12)); (L_1608)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)12)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1609)->GetAt(static_cast<il2cpp_array_size_t>(L_1611)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1612)->GetAt(static_cast<il2cpp_array_size_t>(L_1613)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1614 = ___outdata; ByteU5BU5D_t58506160* L_1615 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1616 = V_12; NullCheck(L_1615); IL2CPP_ARRAY_BOUNDS_CHECK(L_1615, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1616>>((int32_t)16))))))); int32_t L_1617 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1616>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1618 = ___ekey; NullCheck(L_1618); IL2CPP_ARRAY_BOUNDS_CHECK(L_1618, ((int32_t)115)); int32_t L_1619 = ((int32_t)115); NullCheck(L_1614); IL2CPP_ARRAY_BOUNDS_CHECK(L_1614, ((int32_t)13)); (L_1614)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)13)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1615)->GetAt(static_cast<il2cpp_array_size_t>(L_1617)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1618)->GetAt(static_cast<il2cpp_array_size_t>(L_1619)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1620 = ___outdata; ByteU5BU5D_t58506160* L_1621 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1622 = V_14; NullCheck(L_1621); IL2CPP_ARRAY_BOUNDS_CHECK(L_1621, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1622>>8)))))); int32_t L_1623 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1622>>8))))); UInt32U5BU5D_t2133601851* L_1624 = ___ekey; NullCheck(L_1624); IL2CPP_ARRAY_BOUNDS_CHECK(L_1624, ((int32_t)115)); int32_t L_1625 = ((int32_t)115); NullCheck(L_1620); IL2CPP_ARRAY_BOUNDS_CHECK(L_1620, ((int32_t)14)); (L_1620)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1621)->GetAt(static_cast<il2cpp_array_size_t>(L_1623)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1624)->GetAt(static_cast<il2cpp_array_size_t>(L_1625)))>>8))))))))))); ByteU5BU5D_t58506160* L_1626 = ___outdata; ByteU5BU5D_t58506160* L_1627 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1628 = V_15; NullCheck(L_1627); IL2CPP_ARRAY_BOUNDS_CHECK(L_1627, (((int32_t)((uint8_t)L_1628)))); int32_t L_1629 = (((int32_t)((uint8_t)L_1628))); UInt32U5BU5D_t2133601851* L_1630 = ___ekey; NullCheck(L_1630); IL2CPP_ARRAY_BOUNDS_CHECK(L_1630, ((int32_t)115)); int32_t L_1631 = ((int32_t)115); NullCheck(L_1626); IL2CPP_ARRAY_BOUNDS_CHECK(L_1626, ((int32_t)15)); (L_1626)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1627)->GetAt(static_cast<il2cpp_array_size_t>(L_1629)))^(int32_t)(((int32_t)((uint8_t)((L_1630)->GetAt(static_cast<il2cpp_array_size_t>(L_1631)))))))))))); ByteU5BU5D_t58506160* L_1632 = ___outdata; ByteU5BU5D_t58506160* L_1633 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1634 = V_12; NullCheck(L_1633); IL2CPP_ARRAY_BOUNDS_CHECK(L_1633, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1634>>((int32_t)24)))))); uintptr_t L_1635 = (((uintptr_t)((int32_t)((uint32_t)L_1634>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1636 = ___ekey; NullCheck(L_1636); IL2CPP_ARRAY_BOUNDS_CHECK(L_1636, ((int32_t)116)); int32_t L_1637 = ((int32_t)116); NullCheck(L_1632); IL2CPP_ARRAY_BOUNDS_CHECK(L_1632, ((int32_t)16)); (L_1632)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)16)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1633)->GetAt(static_cast<il2cpp_array_size_t>(L_1635)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1636)->GetAt(static_cast<il2cpp_array_size_t>(L_1637)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1638 = ___outdata; ByteU5BU5D_t58506160* L_1639 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1640 = V_13; NullCheck(L_1639); IL2CPP_ARRAY_BOUNDS_CHECK(L_1639, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1640>>((int32_t)16))))))); int32_t L_1641 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1640>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1642 = ___ekey; NullCheck(L_1642); IL2CPP_ARRAY_BOUNDS_CHECK(L_1642, ((int32_t)116)); int32_t L_1643 = ((int32_t)116); NullCheck(L_1638); IL2CPP_ARRAY_BOUNDS_CHECK(L_1638, ((int32_t)17)); (L_1638)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)17)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1639)->GetAt(static_cast<il2cpp_array_size_t>(L_1641)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1642)->GetAt(static_cast<il2cpp_array_size_t>(L_1643)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1644 = ___outdata; ByteU5BU5D_t58506160* L_1645 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1646 = V_15; NullCheck(L_1645); IL2CPP_ARRAY_BOUNDS_CHECK(L_1645, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1646>>8)))))); int32_t L_1647 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1646>>8))))); UInt32U5BU5D_t2133601851* L_1648 = ___ekey; NullCheck(L_1648); IL2CPP_ARRAY_BOUNDS_CHECK(L_1648, ((int32_t)116)); int32_t L_1649 = ((int32_t)116); NullCheck(L_1644); IL2CPP_ARRAY_BOUNDS_CHECK(L_1644, ((int32_t)18)); (L_1644)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)18)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1645)->GetAt(static_cast<il2cpp_array_size_t>(L_1647)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1648)->GetAt(static_cast<il2cpp_array_size_t>(L_1649)))>>8))))))))))); ByteU5BU5D_t58506160* L_1650 = ___outdata; ByteU5BU5D_t58506160* L_1651 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1652 = V_8; NullCheck(L_1651); IL2CPP_ARRAY_BOUNDS_CHECK(L_1651, (((int32_t)((uint8_t)L_1652)))); int32_t L_1653 = (((int32_t)((uint8_t)L_1652))); UInt32U5BU5D_t2133601851* L_1654 = ___ekey; NullCheck(L_1654); IL2CPP_ARRAY_BOUNDS_CHECK(L_1654, ((int32_t)116)); int32_t L_1655 = ((int32_t)116); NullCheck(L_1650); IL2CPP_ARRAY_BOUNDS_CHECK(L_1650, ((int32_t)19)); (L_1650)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)19)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1651)->GetAt(static_cast<il2cpp_array_size_t>(L_1653)))^(int32_t)(((int32_t)((uint8_t)((L_1654)->GetAt(static_cast<il2cpp_array_size_t>(L_1655)))))))))))); ByteU5BU5D_t58506160* L_1656 = ___outdata; ByteU5BU5D_t58506160* L_1657 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1658 = V_13; NullCheck(L_1657); IL2CPP_ARRAY_BOUNDS_CHECK(L_1657, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1658>>((int32_t)24)))))); uintptr_t L_1659 = (((uintptr_t)((int32_t)((uint32_t)L_1658>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1660 = ___ekey; NullCheck(L_1660); IL2CPP_ARRAY_BOUNDS_CHECK(L_1660, ((int32_t)117)); int32_t L_1661 = ((int32_t)117); NullCheck(L_1656); IL2CPP_ARRAY_BOUNDS_CHECK(L_1656, ((int32_t)20)); (L_1656)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)20)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1657)->GetAt(static_cast<il2cpp_array_size_t>(L_1659)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1660)->GetAt(static_cast<il2cpp_array_size_t>(L_1661)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1662 = ___outdata; ByteU5BU5D_t58506160* L_1663 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1664 = V_14; NullCheck(L_1663); IL2CPP_ARRAY_BOUNDS_CHECK(L_1663, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1664>>((int32_t)16))))))); int32_t L_1665 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1664>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1666 = ___ekey; NullCheck(L_1666); IL2CPP_ARRAY_BOUNDS_CHECK(L_1666, ((int32_t)117)); int32_t L_1667 = ((int32_t)117); NullCheck(L_1662); IL2CPP_ARRAY_BOUNDS_CHECK(L_1662, ((int32_t)21)); (L_1662)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)21)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1663)->GetAt(static_cast<il2cpp_array_size_t>(L_1665)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1666)->GetAt(static_cast<il2cpp_array_size_t>(L_1667)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1668 = ___outdata; ByteU5BU5D_t58506160* L_1669 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1670 = V_8; NullCheck(L_1669); IL2CPP_ARRAY_BOUNDS_CHECK(L_1669, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1670>>8)))))); int32_t L_1671 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1670>>8))))); UInt32U5BU5D_t2133601851* L_1672 = ___ekey; NullCheck(L_1672); IL2CPP_ARRAY_BOUNDS_CHECK(L_1672, ((int32_t)117)); int32_t L_1673 = ((int32_t)117); NullCheck(L_1668); IL2CPP_ARRAY_BOUNDS_CHECK(L_1668, ((int32_t)22)); (L_1668)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)22)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1669)->GetAt(static_cast<il2cpp_array_size_t>(L_1671)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1672)->GetAt(static_cast<il2cpp_array_size_t>(L_1673)))>>8))))))))))); ByteU5BU5D_t58506160* L_1674 = ___outdata; ByteU5BU5D_t58506160* L_1675 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1676 = V_9; NullCheck(L_1675); IL2CPP_ARRAY_BOUNDS_CHECK(L_1675, (((int32_t)((uint8_t)L_1676)))); int32_t L_1677 = (((int32_t)((uint8_t)L_1676))); UInt32U5BU5D_t2133601851* L_1678 = ___ekey; NullCheck(L_1678); IL2CPP_ARRAY_BOUNDS_CHECK(L_1678, ((int32_t)117)); int32_t L_1679 = ((int32_t)117); NullCheck(L_1674); IL2CPP_ARRAY_BOUNDS_CHECK(L_1674, ((int32_t)23)); (L_1674)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)23)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1675)->GetAt(static_cast<il2cpp_array_size_t>(L_1677)))^(int32_t)(((int32_t)((uint8_t)((L_1678)->GetAt(static_cast<il2cpp_array_size_t>(L_1679)))))))))))); ByteU5BU5D_t58506160* L_1680 = ___outdata; ByteU5BU5D_t58506160* L_1681 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1682 = V_14; NullCheck(L_1681); IL2CPP_ARRAY_BOUNDS_CHECK(L_1681, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1682>>((int32_t)24)))))); uintptr_t L_1683 = (((uintptr_t)((int32_t)((uint32_t)L_1682>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1684 = ___ekey; NullCheck(L_1684); IL2CPP_ARRAY_BOUNDS_CHECK(L_1684, ((int32_t)118)); int32_t L_1685 = ((int32_t)118); NullCheck(L_1680); IL2CPP_ARRAY_BOUNDS_CHECK(L_1680, ((int32_t)24)); (L_1680)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)24)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1681)->GetAt(static_cast<il2cpp_array_size_t>(L_1683)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1684)->GetAt(static_cast<il2cpp_array_size_t>(L_1685)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1686 = ___outdata; ByteU5BU5D_t58506160* L_1687 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1688 = V_15; NullCheck(L_1687); IL2CPP_ARRAY_BOUNDS_CHECK(L_1687, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1688>>((int32_t)16))))))); int32_t L_1689 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1688>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1690 = ___ekey; NullCheck(L_1690); IL2CPP_ARRAY_BOUNDS_CHECK(L_1690, ((int32_t)118)); int32_t L_1691 = ((int32_t)118); NullCheck(L_1686); IL2CPP_ARRAY_BOUNDS_CHECK(L_1686, ((int32_t)25)); (L_1686)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)25)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1687)->GetAt(static_cast<il2cpp_array_size_t>(L_1689)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1690)->GetAt(static_cast<il2cpp_array_size_t>(L_1691)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1692 = ___outdata; ByteU5BU5D_t58506160* L_1693 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1694 = V_9; NullCheck(L_1693); IL2CPP_ARRAY_BOUNDS_CHECK(L_1693, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1694>>8)))))); int32_t L_1695 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1694>>8))))); UInt32U5BU5D_t2133601851* L_1696 = ___ekey; NullCheck(L_1696); IL2CPP_ARRAY_BOUNDS_CHECK(L_1696, ((int32_t)118)); int32_t L_1697 = ((int32_t)118); NullCheck(L_1692); IL2CPP_ARRAY_BOUNDS_CHECK(L_1692, ((int32_t)26)); (L_1692)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)26)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1693)->GetAt(static_cast<il2cpp_array_size_t>(L_1695)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1696)->GetAt(static_cast<il2cpp_array_size_t>(L_1697)))>>8))))))))))); ByteU5BU5D_t58506160* L_1698 = ___outdata; ByteU5BU5D_t58506160* L_1699 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1700 = V_10; NullCheck(L_1699); IL2CPP_ARRAY_BOUNDS_CHECK(L_1699, (((int32_t)((uint8_t)L_1700)))); int32_t L_1701 = (((int32_t)((uint8_t)L_1700))); UInt32U5BU5D_t2133601851* L_1702 = ___ekey; NullCheck(L_1702); IL2CPP_ARRAY_BOUNDS_CHECK(L_1702, ((int32_t)118)); int32_t L_1703 = ((int32_t)118); NullCheck(L_1698); IL2CPP_ARRAY_BOUNDS_CHECK(L_1698, ((int32_t)27)); (L_1698)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)27)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1699)->GetAt(static_cast<il2cpp_array_size_t>(L_1701)))^(int32_t)(((int32_t)((uint8_t)((L_1702)->GetAt(static_cast<il2cpp_array_size_t>(L_1703)))))))))))); ByteU5BU5D_t58506160* L_1704 = ___outdata; ByteU5BU5D_t58506160* L_1705 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1706 = V_15; NullCheck(L_1705); IL2CPP_ARRAY_BOUNDS_CHECK(L_1705, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1706>>((int32_t)24)))))); uintptr_t L_1707 = (((uintptr_t)((int32_t)((uint32_t)L_1706>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1708 = ___ekey; NullCheck(L_1708); IL2CPP_ARRAY_BOUNDS_CHECK(L_1708, ((int32_t)119)); int32_t L_1709 = ((int32_t)119); NullCheck(L_1704); IL2CPP_ARRAY_BOUNDS_CHECK(L_1704, ((int32_t)28)); (L_1704)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)28)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1705)->GetAt(static_cast<il2cpp_array_size_t>(L_1707)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1708)->GetAt(static_cast<il2cpp_array_size_t>(L_1709)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1710 = ___outdata; ByteU5BU5D_t58506160* L_1711 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1712 = V_8; NullCheck(L_1711); IL2CPP_ARRAY_BOUNDS_CHECK(L_1711, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1712>>((int32_t)16))))))); int32_t L_1713 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1712>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1714 = ___ekey; NullCheck(L_1714); IL2CPP_ARRAY_BOUNDS_CHECK(L_1714, ((int32_t)119)); int32_t L_1715 = ((int32_t)119); NullCheck(L_1710); IL2CPP_ARRAY_BOUNDS_CHECK(L_1710, ((int32_t)29)); (L_1710)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)29)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1711)->GetAt(static_cast<il2cpp_array_size_t>(L_1713)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1714)->GetAt(static_cast<il2cpp_array_size_t>(L_1715)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1716 = ___outdata; ByteU5BU5D_t58506160* L_1717 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1718 = V_10; NullCheck(L_1717); IL2CPP_ARRAY_BOUNDS_CHECK(L_1717, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1718>>8)))))); int32_t L_1719 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1718>>8))))); UInt32U5BU5D_t2133601851* L_1720 = ___ekey; NullCheck(L_1720); IL2CPP_ARRAY_BOUNDS_CHECK(L_1720, ((int32_t)119)); int32_t L_1721 = ((int32_t)119); NullCheck(L_1716); IL2CPP_ARRAY_BOUNDS_CHECK(L_1716, ((int32_t)30)); (L_1716)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)30)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1717)->GetAt(static_cast<il2cpp_array_size_t>(L_1719)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1720)->GetAt(static_cast<il2cpp_array_size_t>(L_1721)))>>8))))))))))); ByteU5BU5D_t58506160* L_1722 = ___outdata; ByteU5BU5D_t58506160* L_1723 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_SBox_17(); uint32_t L_1724 = V_11; NullCheck(L_1723); IL2CPP_ARRAY_BOUNDS_CHECK(L_1723, (((int32_t)((uint8_t)L_1724)))); int32_t L_1725 = (((int32_t)((uint8_t)L_1724))); UInt32U5BU5D_t2133601851* L_1726 = ___ekey; NullCheck(L_1726); IL2CPP_ARRAY_BOUNDS_CHECK(L_1726, ((int32_t)119)); int32_t L_1727 = ((int32_t)119); NullCheck(L_1722); IL2CPP_ARRAY_BOUNDS_CHECK(L_1722, ((int32_t)31)); (L_1722)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)31)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1723)->GetAt(static_cast<il2cpp_array_size_t>(L_1725)))^(int32_t)(((int32_t)((uint8_t)((L_1726)->GetAt(static_cast<il2cpp_array_size_t>(L_1727)))))))))))); return; } } // System.Void System.Security.Cryptography.RijndaelTransform::Decrypt128(System.Byte[],System.Byte[],System.UInt32[]) extern TypeInfo* RijndaelTransform_t2468220198_il2cpp_TypeInfo_var; extern const uint32_t RijndaelTransform_Decrypt128_m3577856904_MetadataUsageId; extern "C" void RijndaelTransform_Decrypt128_m3577856904 (RijndaelTransform_t2468220198 * __this, ByteU5BU5D_t58506160* ___indata, ByteU5BU5D_t58506160* ___outdata, UInt32U5BU5D_t2133601851* ___ekey, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelTransform_Decrypt128_m3577856904_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint32_t V_0 = 0; uint32_t V_1 = 0; uint32_t V_2 = 0; uint32_t V_3 = 0; uint32_t V_4 = 0; uint32_t V_5 = 0; uint32_t V_6 = 0; uint32_t V_7 = 0; int32_t V_8 = 0; { V_8 = ((int32_t)40); ByteU5BU5D_t58506160* L_0 = ___indata; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); int32_t L_1 = 0; ByteU5BU5D_t58506160* L_2 = ___indata; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 1); int32_t L_3 = 1; ByteU5BU5D_t58506160* L_4 = ___indata; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 2); int32_t L_5 = 2; ByteU5BU5D_t58506160* L_6 = ___indata; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 3); int32_t L_7 = 3; UInt32U5BU5D_t2133601851* L_8 = ___ekey; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, 0); int32_t L_9 = 0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_1)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_3)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_5)))<<(int32_t)8))))|(int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))))^(int32_t)((L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_9))))); ByteU5BU5D_t58506160* L_10 = ___indata; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 4); int32_t L_11 = 4; ByteU5BU5D_t58506160* L_12 = ___indata; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, 5); int32_t L_13 = 5; ByteU5BU5D_t58506160* L_14 = ___indata; NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, 6); int32_t L_15 = 6; ByteU5BU5D_t58506160* L_16 = ___indata; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, 7); int32_t L_17 = 7; UInt32U5BU5D_t2133601851* L_18 = ___ekey; NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, 1); int32_t L_19 = 1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_11)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_13)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_15)))<<(int32_t)8))))|(int32_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_17)))))^(int32_t)((L_18)->GetAt(static_cast<il2cpp_array_size_t>(L_19))))); ByteU5BU5D_t58506160* L_20 = ___indata; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, 8); int32_t L_21 = 8; ByteU5BU5D_t58506160* L_22 = ___indata; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, ((int32_t)9)); int32_t L_23 = ((int32_t)9); ByteU5BU5D_t58506160* L_24 = ___indata; NullCheck(L_24); IL2CPP_ARRAY_BOUNDS_CHECK(L_24, ((int32_t)10)); int32_t L_25 = ((int32_t)10); ByteU5BU5D_t58506160* L_26 = ___indata; NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, ((int32_t)11)); int32_t L_27 = ((int32_t)11); UInt32U5BU5D_t2133601851* L_28 = ___ekey; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, 2); int32_t L_29 = 2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_21)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_22)->GetAt(static_cast<il2cpp_array_size_t>(L_23)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_24)->GetAt(static_cast<il2cpp_array_size_t>(L_25)))<<(int32_t)8))))|(int32_t)((L_26)->GetAt(static_cast<il2cpp_array_size_t>(L_27)))))^(int32_t)((L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29))))); ByteU5BU5D_t58506160* L_30 = ___indata; NullCheck(L_30); IL2CPP_ARRAY_BOUNDS_CHECK(L_30, ((int32_t)12)); int32_t L_31 = ((int32_t)12); ByteU5BU5D_t58506160* L_32 = ___indata; NullCheck(L_32); IL2CPP_ARRAY_BOUNDS_CHECK(L_32, ((int32_t)13)); int32_t L_33 = ((int32_t)13); ByteU5BU5D_t58506160* L_34 = ___indata; NullCheck(L_34); IL2CPP_ARRAY_BOUNDS_CHECK(L_34, ((int32_t)14)); int32_t L_35 = ((int32_t)14); ByteU5BU5D_t58506160* L_36 = ___indata; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, ((int32_t)15)); int32_t L_37 = ((int32_t)15); UInt32U5BU5D_t2133601851* L_38 = ___ekey; NullCheck(L_38); IL2CPP_ARRAY_BOUNDS_CHECK(L_38, 3); int32_t L_39 = 3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_30)->GetAt(static_cast<il2cpp_array_size_t>(L_31)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_32)->GetAt(static_cast<il2cpp_array_size_t>(L_33)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_34)->GetAt(static_cast<il2cpp_array_size_t>(L_35)))<<(int32_t)8))))|(int32_t)((L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_37)))))^(int32_t)((L_38)->GetAt(static_cast<il2cpp_array_size_t>(L_39))))); IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_40 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_41 = V_0; NullCheck(L_40); IL2CPP_ARRAY_BOUNDS_CHECK(L_40, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_41>>((int32_t)24)))))); uintptr_t L_42 = (((uintptr_t)((int32_t)((uint32_t)L_41>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_43 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_44 = V_3; NullCheck(L_43); IL2CPP_ARRAY_BOUNDS_CHECK(L_43, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_44>>((int32_t)16))))))); int32_t L_45 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_44>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_46 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_47 = V_2; NullCheck(L_46); IL2CPP_ARRAY_BOUNDS_CHECK(L_46, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_47>>8)))))); int32_t L_48 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_47>>8))))); UInt32U5BU5D_t2133601851* L_49 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_50 = V_1; NullCheck(L_49); IL2CPP_ARRAY_BOUNDS_CHECK(L_49, (((int32_t)((uint8_t)L_50)))); int32_t L_51 = (((int32_t)((uint8_t)L_50))); UInt32U5BU5D_t2133601851* L_52 = ___ekey; NullCheck(L_52); IL2CPP_ARRAY_BOUNDS_CHECK(L_52, 4); int32_t L_53 = 4; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_40)->GetAt(static_cast<il2cpp_array_size_t>(L_42)))^(int32_t)((L_43)->GetAt(static_cast<il2cpp_array_size_t>(L_45)))))^(int32_t)((L_46)->GetAt(static_cast<il2cpp_array_size_t>(L_48)))))^(int32_t)((L_49)->GetAt(static_cast<il2cpp_array_size_t>(L_51)))))^(int32_t)((L_52)->GetAt(static_cast<il2cpp_array_size_t>(L_53))))); UInt32U5BU5D_t2133601851* L_54 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_55 = V_1; NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_55>>((int32_t)24)))))); uintptr_t L_56 = (((uintptr_t)((int32_t)((uint32_t)L_55>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_57 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_58 = V_0; NullCheck(L_57); IL2CPP_ARRAY_BOUNDS_CHECK(L_57, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_58>>((int32_t)16))))))); int32_t L_59 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_58>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_60 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_61 = V_3; NullCheck(L_60); IL2CPP_ARRAY_BOUNDS_CHECK(L_60, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_61>>8)))))); int32_t L_62 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_61>>8))))); UInt32U5BU5D_t2133601851* L_63 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_64 = V_2; NullCheck(L_63); IL2CPP_ARRAY_BOUNDS_CHECK(L_63, (((int32_t)((uint8_t)L_64)))); int32_t L_65 = (((int32_t)((uint8_t)L_64))); UInt32U5BU5D_t2133601851* L_66 = ___ekey; NullCheck(L_66); IL2CPP_ARRAY_BOUNDS_CHECK(L_66, 5); int32_t L_67 = 5; V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_56)))^(int32_t)((L_57)->GetAt(static_cast<il2cpp_array_size_t>(L_59)))))^(int32_t)((L_60)->GetAt(static_cast<il2cpp_array_size_t>(L_62)))))^(int32_t)((L_63)->GetAt(static_cast<il2cpp_array_size_t>(L_65)))))^(int32_t)((L_66)->GetAt(static_cast<il2cpp_array_size_t>(L_67))))); UInt32U5BU5D_t2133601851* L_68 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_69 = V_2; NullCheck(L_68); IL2CPP_ARRAY_BOUNDS_CHECK(L_68, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_69>>((int32_t)24)))))); uintptr_t L_70 = (((uintptr_t)((int32_t)((uint32_t)L_69>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_71 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_72 = V_1; NullCheck(L_71); IL2CPP_ARRAY_BOUNDS_CHECK(L_71, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_72>>((int32_t)16))))))); int32_t L_73 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_72>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_74 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_75 = V_0; NullCheck(L_74); IL2CPP_ARRAY_BOUNDS_CHECK(L_74, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_75>>8)))))); int32_t L_76 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_75>>8))))); UInt32U5BU5D_t2133601851* L_77 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_78 = V_3; NullCheck(L_77); IL2CPP_ARRAY_BOUNDS_CHECK(L_77, (((int32_t)((uint8_t)L_78)))); int32_t L_79 = (((int32_t)((uint8_t)L_78))); UInt32U5BU5D_t2133601851* L_80 = ___ekey; NullCheck(L_80); IL2CPP_ARRAY_BOUNDS_CHECK(L_80, 6); int32_t L_81 = 6; V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_68)->GetAt(static_cast<il2cpp_array_size_t>(L_70)))^(int32_t)((L_71)->GetAt(static_cast<il2cpp_array_size_t>(L_73)))))^(int32_t)((L_74)->GetAt(static_cast<il2cpp_array_size_t>(L_76)))))^(int32_t)((L_77)->GetAt(static_cast<il2cpp_array_size_t>(L_79)))))^(int32_t)((L_80)->GetAt(static_cast<il2cpp_array_size_t>(L_81))))); UInt32U5BU5D_t2133601851* L_82 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_83 = V_3; NullCheck(L_82); IL2CPP_ARRAY_BOUNDS_CHECK(L_82, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_83>>((int32_t)24)))))); uintptr_t L_84 = (((uintptr_t)((int32_t)((uint32_t)L_83>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_85 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_86 = V_2; NullCheck(L_85); IL2CPP_ARRAY_BOUNDS_CHECK(L_85, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_86>>((int32_t)16))))))); int32_t L_87 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_86>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_88 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_89 = V_1; NullCheck(L_88); IL2CPP_ARRAY_BOUNDS_CHECK(L_88, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_89>>8)))))); int32_t L_90 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_89>>8))))); UInt32U5BU5D_t2133601851* L_91 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_92 = V_0; NullCheck(L_91); IL2CPP_ARRAY_BOUNDS_CHECK(L_91, (((int32_t)((uint8_t)L_92)))); int32_t L_93 = (((int32_t)((uint8_t)L_92))); UInt32U5BU5D_t2133601851* L_94 = ___ekey; NullCheck(L_94); IL2CPP_ARRAY_BOUNDS_CHECK(L_94, 7); int32_t L_95 = 7; V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_82)->GetAt(static_cast<il2cpp_array_size_t>(L_84)))^(int32_t)((L_85)->GetAt(static_cast<il2cpp_array_size_t>(L_87)))))^(int32_t)((L_88)->GetAt(static_cast<il2cpp_array_size_t>(L_90)))))^(int32_t)((L_91)->GetAt(static_cast<il2cpp_array_size_t>(L_93)))))^(int32_t)((L_94)->GetAt(static_cast<il2cpp_array_size_t>(L_95))))); UInt32U5BU5D_t2133601851* L_96 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_97 = V_4; NullCheck(L_96); IL2CPP_ARRAY_BOUNDS_CHECK(L_96, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_97>>((int32_t)24)))))); uintptr_t L_98 = (((uintptr_t)((int32_t)((uint32_t)L_97>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_99 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_100 = V_7; NullCheck(L_99); IL2CPP_ARRAY_BOUNDS_CHECK(L_99, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_100>>((int32_t)16))))))); int32_t L_101 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_100>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_102 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_103 = V_6; NullCheck(L_102); IL2CPP_ARRAY_BOUNDS_CHECK(L_102, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_103>>8)))))); int32_t L_104 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_103>>8))))); UInt32U5BU5D_t2133601851* L_105 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_106 = V_5; NullCheck(L_105); IL2CPP_ARRAY_BOUNDS_CHECK(L_105, (((int32_t)((uint8_t)L_106)))); int32_t L_107 = (((int32_t)((uint8_t)L_106))); UInt32U5BU5D_t2133601851* L_108 = ___ekey; NullCheck(L_108); IL2CPP_ARRAY_BOUNDS_CHECK(L_108, 8); int32_t L_109 = 8; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_96)->GetAt(static_cast<il2cpp_array_size_t>(L_98)))^(int32_t)((L_99)->GetAt(static_cast<il2cpp_array_size_t>(L_101)))))^(int32_t)((L_102)->GetAt(static_cast<il2cpp_array_size_t>(L_104)))))^(int32_t)((L_105)->GetAt(static_cast<il2cpp_array_size_t>(L_107)))))^(int32_t)((L_108)->GetAt(static_cast<il2cpp_array_size_t>(L_109))))); UInt32U5BU5D_t2133601851* L_110 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_111 = V_5; NullCheck(L_110); IL2CPP_ARRAY_BOUNDS_CHECK(L_110, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_111>>((int32_t)24)))))); uintptr_t L_112 = (((uintptr_t)((int32_t)((uint32_t)L_111>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_113 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_114 = V_4; NullCheck(L_113); IL2CPP_ARRAY_BOUNDS_CHECK(L_113, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_114>>((int32_t)16))))))); int32_t L_115 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_114>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_116 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_117 = V_7; NullCheck(L_116); IL2CPP_ARRAY_BOUNDS_CHECK(L_116, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_117>>8)))))); int32_t L_118 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_117>>8))))); UInt32U5BU5D_t2133601851* L_119 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_120 = V_6; NullCheck(L_119); IL2CPP_ARRAY_BOUNDS_CHECK(L_119, (((int32_t)((uint8_t)L_120)))); int32_t L_121 = (((int32_t)((uint8_t)L_120))); UInt32U5BU5D_t2133601851* L_122 = ___ekey; NullCheck(L_122); IL2CPP_ARRAY_BOUNDS_CHECK(L_122, ((int32_t)9)); int32_t L_123 = ((int32_t)9); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_110)->GetAt(static_cast<il2cpp_array_size_t>(L_112)))^(int32_t)((L_113)->GetAt(static_cast<il2cpp_array_size_t>(L_115)))))^(int32_t)((L_116)->GetAt(static_cast<il2cpp_array_size_t>(L_118)))))^(int32_t)((L_119)->GetAt(static_cast<il2cpp_array_size_t>(L_121)))))^(int32_t)((L_122)->GetAt(static_cast<il2cpp_array_size_t>(L_123))))); UInt32U5BU5D_t2133601851* L_124 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_125 = V_6; NullCheck(L_124); IL2CPP_ARRAY_BOUNDS_CHECK(L_124, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_125>>((int32_t)24)))))); uintptr_t L_126 = (((uintptr_t)((int32_t)((uint32_t)L_125>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_127 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_128 = V_5; NullCheck(L_127); IL2CPP_ARRAY_BOUNDS_CHECK(L_127, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_128>>((int32_t)16))))))); int32_t L_129 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_128>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_130 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_131 = V_4; NullCheck(L_130); IL2CPP_ARRAY_BOUNDS_CHECK(L_130, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_131>>8)))))); int32_t L_132 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_131>>8))))); UInt32U5BU5D_t2133601851* L_133 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_134 = V_7; NullCheck(L_133); IL2CPP_ARRAY_BOUNDS_CHECK(L_133, (((int32_t)((uint8_t)L_134)))); int32_t L_135 = (((int32_t)((uint8_t)L_134))); UInt32U5BU5D_t2133601851* L_136 = ___ekey; NullCheck(L_136); IL2CPP_ARRAY_BOUNDS_CHECK(L_136, ((int32_t)10)); int32_t L_137 = ((int32_t)10); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_124)->GetAt(static_cast<il2cpp_array_size_t>(L_126)))^(int32_t)((L_127)->GetAt(static_cast<il2cpp_array_size_t>(L_129)))))^(int32_t)((L_130)->GetAt(static_cast<il2cpp_array_size_t>(L_132)))))^(int32_t)((L_133)->GetAt(static_cast<il2cpp_array_size_t>(L_135)))))^(int32_t)((L_136)->GetAt(static_cast<il2cpp_array_size_t>(L_137))))); UInt32U5BU5D_t2133601851* L_138 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_139 = V_7; NullCheck(L_138); IL2CPP_ARRAY_BOUNDS_CHECK(L_138, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_139>>((int32_t)24)))))); uintptr_t L_140 = (((uintptr_t)((int32_t)((uint32_t)L_139>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_141 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_142 = V_6; NullCheck(L_141); IL2CPP_ARRAY_BOUNDS_CHECK(L_141, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_142>>((int32_t)16))))))); int32_t L_143 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_142>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_144 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_145 = V_5; NullCheck(L_144); IL2CPP_ARRAY_BOUNDS_CHECK(L_144, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_145>>8)))))); int32_t L_146 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_145>>8))))); UInt32U5BU5D_t2133601851* L_147 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_148 = V_4; NullCheck(L_147); IL2CPP_ARRAY_BOUNDS_CHECK(L_147, (((int32_t)((uint8_t)L_148)))); int32_t L_149 = (((int32_t)((uint8_t)L_148))); UInt32U5BU5D_t2133601851* L_150 = ___ekey; NullCheck(L_150); IL2CPP_ARRAY_BOUNDS_CHECK(L_150, ((int32_t)11)); int32_t L_151 = ((int32_t)11); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_138)->GetAt(static_cast<il2cpp_array_size_t>(L_140)))^(int32_t)((L_141)->GetAt(static_cast<il2cpp_array_size_t>(L_143)))))^(int32_t)((L_144)->GetAt(static_cast<il2cpp_array_size_t>(L_146)))))^(int32_t)((L_147)->GetAt(static_cast<il2cpp_array_size_t>(L_149)))))^(int32_t)((L_150)->GetAt(static_cast<il2cpp_array_size_t>(L_151))))); UInt32U5BU5D_t2133601851* L_152 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_153 = V_0; NullCheck(L_152); IL2CPP_ARRAY_BOUNDS_CHECK(L_152, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_153>>((int32_t)24)))))); uintptr_t L_154 = (((uintptr_t)((int32_t)((uint32_t)L_153>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_155 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_156 = V_3; NullCheck(L_155); IL2CPP_ARRAY_BOUNDS_CHECK(L_155, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_156>>((int32_t)16))))))); int32_t L_157 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_156>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_158 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_159 = V_2; NullCheck(L_158); IL2CPP_ARRAY_BOUNDS_CHECK(L_158, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_159>>8)))))); int32_t L_160 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_159>>8))))); UInt32U5BU5D_t2133601851* L_161 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_162 = V_1; NullCheck(L_161); IL2CPP_ARRAY_BOUNDS_CHECK(L_161, (((int32_t)((uint8_t)L_162)))); int32_t L_163 = (((int32_t)((uint8_t)L_162))); UInt32U5BU5D_t2133601851* L_164 = ___ekey; NullCheck(L_164); IL2CPP_ARRAY_BOUNDS_CHECK(L_164, ((int32_t)12)); int32_t L_165 = ((int32_t)12); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_152)->GetAt(static_cast<il2cpp_array_size_t>(L_154)))^(int32_t)((L_155)->GetAt(static_cast<il2cpp_array_size_t>(L_157)))))^(int32_t)((L_158)->GetAt(static_cast<il2cpp_array_size_t>(L_160)))))^(int32_t)((L_161)->GetAt(static_cast<il2cpp_array_size_t>(L_163)))))^(int32_t)((L_164)->GetAt(static_cast<il2cpp_array_size_t>(L_165))))); UInt32U5BU5D_t2133601851* L_166 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_167 = V_1; NullCheck(L_166); IL2CPP_ARRAY_BOUNDS_CHECK(L_166, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_167>>((int32_t)24)))))); uintptr_t L_168 = (((uintptr_t)((int32_t)((uint32_t)L_167>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_169 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_170 = V_0; NullCheck(L_169); IL2CPP_ARRAY_BOUNDS_CHECK(L_169, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_170>>((int32_t)16))))))); int32_t L_171 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_170>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_172 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_173 = V_3; NullCheck(L_172); IL2CPP_ARRAY_BOUNDS_CHECK(L_172, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_173>>8)))))); int32_t L_174 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_173>>8))))); UInt32U5BU5D_t2133601851* L_175 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_176 = V_2; NullCheck(L_175); IL2CPP_ARRAY_BOUNDS_CHECK(L_175, (((int32_t)((uint8_t)L_176)))); int32_t L_177 = (((int32_t)((uint8_t)L_176))); UInt32U5BU5D_t2133601851* L_178 = ___ekey; NullCheck(L_178); IL2CPP_ARRAY_BOUNDS_CHECK(L_178, ((int32_t)13)); int32_t L_179 = ((int32_t)13); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_166)->GetAt(static_cast<il2cpp_array_size_t>(L_168)))^(int32_t)((L_169)->GetAt(static_cast<il2cpp_array_size_t>(L_171)))))^(int32_t)((L_172)->GetAt(static_cast<il2cpp_array_size_t>(L_174)))))^(int32_t)((L_175)->GetAt(static_cast<il2cpp_array_size_t>(L_177)))))^(int32_t)((L_178)->GetAt(static_cast<il2cpp_array_size_t>(L_179))))); UInt32U5BU5D_t2133601851* L_180 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_181 = V_2; NullCheck(L_180); IL2CPP_ARRAY_BOUNDS_CHECK(L_180, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_181>>((int32_t)24)))))); uintptr_t L_182 = (((uintptr_t)((int32_t)((uint32_t)L_181>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_183 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_184 = V_1; NullCheck(L_183); IL2CPP_ARRAY_BOUNDS_CHECK(L_183, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_184>>((int32_t)16))))))); int32_t L_185 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_184>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_186 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_187 = V_0; NullCheck(L_186); IL2CPP_ARRAY_BOUNDS_CHECK(L_186, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_187>>8)))))); int32_t L_188 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_187>>8))))); UInt32U5BU5D_t2133601851* L_189 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_190 = V_3; NullCheck(L_189); IL2CPP_ARRAY_BOUNDS_CHECK(L_189, (((int32_t)((uint8_t)L_190)))); int32_t L_191 = (((int32_t)((uint8_t)L_190))); UInt32U5BU5D_t2133601851* L_192 = ___ekey; NullCheck(L_192); IL2CPP_ARRAY_BOUNDS_CHECK(L_192, ((int32_t)14)); int32_t L_193 = ((int32_t)14); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_180)->GetAt(static_cast<il2cpp_array_size_t>(L_182)))^(int32_t)((L_183)->GetAt(static_cast<il2cpp_array_size_t>(L_185)))))^(int32_t)((L_186)->GetAt(static_cast<il2cpp_array_size_t>(L_188)))))^(int32_t)((L_189)->GetAt(static_cast<il2cpp_array_size_t>(L_191)))))^(int32_t)((L_192)->GetAt(static_cast<il2cpp_array_size_t>(L_193))))); UInt32U5BU5D_t2133601851* L_194 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_195 = V_3; NullCheck(L_194); IL2CPP_ARRAY_BOUNDS_CHECK(L_194, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_195>>((int32_t)24)))))); uintptr_t L_196 = (((uintptr_t)((int32_t)((uint32_t)L_195>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_197 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_198 = V_2; NullCheck(L_197); IL2CPP_ARRAY_BOUNDS_CHECK(L_197, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_198>>((int32_t)16))))))); int32_t L_199 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_198>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_200 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_201 = V_1; NullCheck(L_200); IL2CPP_ARRAY_BOUNDS_CHECK(L_200, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_201>>8)))))); int32_t L_202 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_201>>8))))); UInt32U5BU5D_t2133601851* L_203 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_204 = V_0; NullCheck(L_203); IL2CPP_ARRAY_BOUNDS_CHECK(L_203, (((int32_t)((uint8_t)L_204)))); int32_t L_205 = (((int32_t)((uint8_t)L_204))); UInt32U5BU5D_t2133601851* L_206 = ___ekey; NullCheck(L_206); IL2CPP_ARRAY_BOUNDS_CHECK(L_206, ((int32_t)15)); int32_t L_207 = ((int32_t)15); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_194)->GetAt(static_cast<il2cpp_array_size_t>(L_196)))^(int32_t)((L_197)->GetAt(static_cast<il2cpp_array_size_t>(L_199)))))^(int32_t)((L_200)->GetAt(static_cast<il2cpp_array_size_t>(L_202)))))^(int32_t)((L_203)->GetAt(static_cast<il2cpp_array_size_t>(L_205)))))^(int32_t)((L_206)->GetAt(static_cast<il2cpp_array_size_t>(L_207))))); UInt32U5BU5D_t2133601851* L_208 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_209 = V_4; NullCheck(L_208); IL2CPP_ARRAY_BOUNDS_CHECK(L_208, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_209>>((int32_t)24)))))); uintptr_t L_210 = (((uintptr_t)((int32_t)((uint32_t)L_209>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_211 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_212 = V_7; NullCheck(L_211); IL2CPP_ARRAY_BOUNDS_CHECK(L_211, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_212>>((int32_t)16))))))); int32_t L_213 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_212>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_214 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_215 = V_6; NullCheck(L_214); IL2CPP_ARRAY_BOUNDS_CHECK(L_214, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_215>>8)))))); int32_t L_216 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_215>>8))))); UInt32U5BU5D_t2133601851* L_217 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_218 = V_5; NullCheck(L_217); IL2CPP_ARRAY_BOUNDS_CHECK(L_217, (((int32_t)((uint8_t)L_218)))); int32_t L_219 = (((int32_t)((uint8_t)L_218))); UInt32U5BU5D_t2133601851* L_220 = ___ekey; NullCheck(L_220); IL2CPP_ARRAY_BOUNDS_CHECK(L_220, ((int32_t)16)); int32_t L_221 = ((int32_t)16); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_208)->GetAt(static_cast<il2cpp_array_size_t>(L_210)))^(int32_t)((L_211)->GetAt(static_cast<il2cpp_array_size_t>(L_213)))))^(int32_t)((L_214)->GetAt(static_cast<il2cpp_array_size_t>(L_216)))))^(int32_t)((L_217)->GetAt(static_cast<il2cpp_array_size_t>(L_219)))))^(int32_t)((L_220)->GetAt(static_cast<il2cpp_array_size_t>(L_221))))); UInt32U5BU5D_t2133601851* L_222 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_223 = V_5; NullCheck(L_222); IL2CPP_ARRAY_BOUNDS_CHECK(L_222, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_223>>((int32_t)24)))))); uintptr_t L_224 = (((uintptr_t)((int32_t)((uint32_t)L_223>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_225 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_226 = V_4; NullCheck(L_225); IL2CPP_ARRAY_BOUNDS_CHECK(L_225, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_226>>((int32_t)16))))))); int32_t L_227 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_226>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_228 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_229 = V_7; NullCheck(L_228); IL2CPP_ARRAY_BOUNDS_CHECK(L_228, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_229>>8)))))); int32_t L_230 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_229>>8))))); UInt32U5BU5D_t2133601851* L_231 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_232 = V_6; NullCheck(L_231); IL2CPP_ARRAY_BOUNDS_CHECK(L_231, (((int32_t)((uint8_t)L_232)))); int32_t L_233 = (((int32_t)((uint8_t)L_232))); UInt32U5BU5D_t2133601851* L_234 = ___ekey; NullCheck(L_234); IL2CPP_ARRAY_BOUNDS_CHECK(L_234, ((int32_t)17)); int32_t L_235 = ((int32_t)17); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_222)->GetAt(static_cast<il2cpp_array_size_t>(L_224)))^(int32_t)((L_225)->GetAt(static_cast<il2cpp_array_size_t>(L_227)))))^(int32_t)((L_228)->GetAt(static_cast<il2cpp_array_size_t>(L_230)))))^(int32_t)((L_231)->GetAt(static_cast<il2cpp_array_size_t>(L_233)))))^(int32_t)((L_234)->GetAt(static_cast<il2cpp_array_size_t>(L_235))))); UInt32U5BU5D_t2133601851* L_236 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_237 = V_6; NullCheck(L_236); IL2CPP_ARRAY_BOUNDS_CHECK(L_236, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_237>>((int32_t)24)))))); uintptr_t L_238 = (((uintptr_t)((int32_t)((uint32_t)L_237>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_239 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_240 = V_5; NullCheck(L_239); IL2CPP_ARRAY_BOUNDS_CHECK(L_239, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_240>>((int32_t)16))))))); int32_t L_241 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_240>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_242 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_243 = V_4; NullCheck(L_242); IL2CPP_ARRAY_BOUNDS_CHECK(L_242, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_243>>8)))))); int32_t L_244 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_243>>8))))); UInt32U5BU5D_t2133601851* L_245 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_246 = V_7; NullCheck(L_245); IL2CPP_ARRAY_BOUNDS_CHECK(L_245, (((int32_t)((uint8_t)L_246)))); int32_t L_247 = (((int32_t)((uint8_t)L_246))); UInt32U5BU5D_t2133601851* L_248 = ___ekey; NullCheck(L_248); IL2CPP_ARRAY_BOUNDS_CHECK(L_248, ((int32_t)18)); int32_t L_249 = ((int32_t)18); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_236)->GetAt(static_cast<il2cpp_array_size_t>(L_238)))^(int32_t)((L_239)->GetAt(static_cast<il2cpp_array_size_t>(L_241)))))^(int32_t)((L_242)->GetAt(static_cast<il2cpp_array_size_t>(L_244)))))^(int32_t)((L_245)->GetAt(static_cast<il2cpp_array_size_t>(L_247)))))^(int32_t)((L_248)->GetAt(static_cast<il2cpp_array_size_t>(L_249))))); UInt32U5BU5D_t2133601851* L_250 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_251 = V_7; NullCheck(L_250); IL2CPP_ARRAY_BOUNDS_CHECK(L_250, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_251>>((int32_t)24)))))); uintptr_t L_252 = (((uintptr_t)((int32_t)((uint32_t)L_251>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_253 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_254 = V_6; NullCheck(L_253); IL2CPP_ARRAY_BOUNDS_CHECK(L_253, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_254>>((int32_t)16))))))); int32_t L_255 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_254>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_256 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_257 = V_5; NullCheck(L_256); IL2CPP_ARRAY_BOUNDS_CHECK(L_256, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_257>>8)))))); int32_t L_258 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_257>>8))))); UInt32U5BU5D_t2133601851* L_259 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_260 = V_4; NullCheck(L_259); IL2CPP_ARRAY_BOUNDS_CHECK(L_259, (((int32_t)((uint8_t)L_260)))); int32_t L_261 = (((int32_t)((uint8_t)L_260))); UInt32U5BU5D_t2133601851* L_262 = ___ekey; NullCheck(L_262); IL2CPP_ARRAY_BOUNDS_CHECK(L_262, ((int32_t)19)); int32_t L_263 = ((int32_t)19); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_250)->GetAt(static_cast<il2cpp_array_size_t>(L_252)))^(int32_t)((L_253)->GetAt(static_cast<il2cpp_array_size_t>(L_255)))))^(int32_t)((L_256)->GetAt(static_cast<il2cpp_array_size_t>(L_258)))))^(int32_t)((L_259)->GetAt(static_cast<il2cpp_array_size_t>(L_261)))))^(int32_t)((L_262)->GetAt(static_cast<il2cpp_array_size_t>(L_263))))); UInt32U5BU5D_t2133601851* L_264 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_265 = V_0; NullCheck(L_264); IL2CPP_ARRAY_BOUNDS_CHECK(L_264, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_265>>((int32_t)24)))))); uintptr_t L_266 = (((uintptr_t)((int32_t)((uint32_t)L_265>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_267 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_268 = V_3; NullCheck(L_267); IL2CPP_ARRAY_BOUNDS_CHECK(L_267, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_268>>((int32_t)16))))))); int32_t L_269 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_268>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_270 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_271 = V_2; NullCheck(L_270); IL2CPP_ARRAY_BOUNDS_CHECK(L_270, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_271>>8)))))); int32_t L_272 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_271>>8))))); UInt32U5BU5D_t2133601851* L_273 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_274 = V_1; NullCheck(L_273); IL2CPP_ARRAY_BOUNDS_CHECK(L_273, (((int32_t)((uint8_t)L_274)))); int32_t L_275 = (((int32_t)((uint8_t)L_274))); UInt32U5BU5D_t2133601851* L_276 = ___ekey; NullCheck(L_276); IL2CPP_ARRAY_BOUNDS_CHECK(L_276, ((int32_t)20)); int32_t L_277 = ((int32_t)20); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_264)->GetAt(static_cast<il2cpp_array_size_t>(L_266)))^(int32_t)((L_267)->GetAt(static_cast<il2cpp_array_size_t>(L_269)))))^(int32_t)((L_270)->GetAt(static_cast<il2cpp_array_size_t>(L_272)))))^(int32_t)((L_273)->GetAt(static_cast<il2cpp_array_size_t>(L_275)))))^(int32_t)((L_276)->GetAt(static_cast<il2cpp_array_size_t>(L_277))))); UInt32U5BU5D_t2133601851* L_278 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_279 = V_1; NullCheck(L_278); IL2CPP_ARRAY_BOUNDS_CHECK(L_278, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_279>>((int32_t)24)))))); uintptr_t L_280 = (((uintptr_t)((int32_t)((uint32_t)L_279>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_281 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_282 = V_0; NullCheck(L_281); IL2CPP_ARRAY_BOUNDS_CHECK(L_281, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_282>>((int32_t)16))))))); int32_t L_283 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_282>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_284 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_285 = V_3; NullCheck(L_284); IL2CPP_ARRAY_BOUNDS_CHECK(L_284, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_285>>8)))))); int32_t L_286 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_285>>8))))); UInt32U5BU5D_t2133601851* L_287 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_288 = V_2; NullCheck(L_287); IL2CPP_ARRAY_BOUNDS_CHECK(L_287, (((int32_t)((uint8_t)L_288)))); int32_t L_289 = (((int32_t)((uint8_t)L_288))); UInt32U5BU5D_t2133601851* L_290 = ___ekey; NullCheck(L_290); IL2CPP_ARRAY_BOUNDS_CHECK(L_290, ((int32_t)21)); int32_t L_291 = ((int32_t)21); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_278)->GetAt(static_cast<il2cpp_array_size_t>(L_280)))^(int32_t)((L_281)->GetAt(static_cast<il2cpp_array_size_t>(L_283)))))^(int32_t)((L_284)->GetAt(static_cast<il2cpp_array_size_t>(L_286)))))^(int32_t)((L_287)->GetAt(static_cast<il2cpp_array_size_t>(L_289)))))^(int32_t)((L_290)->GetAt(static_cast<il2cpp_array_size_t>(L_291))))); UInt32U5BU5D_t2133601851* L_292 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_293 = V_2; NullCheck(L_292); IL2CPP_ARRAY_BOUNDS_CHECK(L_292, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_293>>((int32_t)24)))))); uintptr_t L_294 = (((uintptr_t)((int32_t)((uint32_t)L_293>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_295 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_296 = V_1; NullCheck(L_295); IL2CPP_ARRAY_BOUNDS_CHECK(L_295, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_296>>((int32_t)16))))))); int32_t L_297 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_296>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_298 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_299 = V_0; NullCheck(L_298); IL2CPP_ARRAY_BOUNDS_CHECK(L_298, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_299>>8)))))); int32_t L_300 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_299>>8))))); UInt32U5BU5D_t2133601851* L_301 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_302 = V_3; NullCheck(L_301); IL2CPP_ARRAY_BOUNDS_CHECK(L_301, (((int32_t)((uint8_t)L_302)))); int32_t L_303 = (((int32_t)((uint8_t)L_302))); UInt32U5BU5D_t2133601851* L_304 = ___ekey; NullCheck(L_304); IL2CPP_ARRAY_BOUNDS_CHECK(L_304, ((int32_t)22)); int32_t L_305 = ((int32_t)22); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_292)->GetAt(static_cast<il2cpp_array_size_t>(L_294)))^(int32_t)((L_295)->GetAt(static_cast<il2cpp_array_size_t>(L_297)))))^(int32_t)((L_298)->GetAt(static_cast<il2cpp_array_size_t>(L_300)))))^(int32_t)((L_301)->GetAt(static_cast<il2cpp_array_size_t>(L_303)))))^(int32_t)((L_304)->GetAt(static_cast<il2cpp_array_size_t>(L_305))))); UInt32U5BU5D_t2133601851* L_306 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_307 = V_3; NullCheck(L_306); IL2CPP_ARRAY_BOUNDS_CHECK(L_306, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_307>>((int32_t)24)))))); uintptr_t L_308 = (((uintptr_t)((int32_t)((uint32_t)L_307>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_309 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_310 = V_2; NullCheck(L_309); IL2CPP_ARRAY_BOUNDS_CHECK(L_309, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_310>>((int32_t)16))))))); int32_t L_311 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_310>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_312 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_313 = V_1; NullCheck(L_312); IL2CPP_ARRAY_BOUNDS_CHECK(L_312, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_313>>8)))))); int32_t L_314 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_313>>8))))); UInt32U5BU5D_t2133601851* L_315 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_316 = V_0; NullCheck(L_315); IL2CPP_ARRAY_BOUNDS_CHECK(L_315, (((int32_t)((uint8_t)L_316)))); int32_t L_317 = (((int32_t)((uint8_t)L_316))); UInt32U5BU5D_t2133601851* L_318 = ___ekey; NullCheck(L_318); IL2CPP_ARRAY_BOUNDS_CHECK(L_318, ((int32_t)23)); int32_t L_319 = ((int32_t)23); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_306)->GetAt(static_cast<il2cpp_array_size_t>(L_308)))^(int32_t)((L_309)->GetAt(static_cast<il2cpp_array_size_t>(L_311)))))^(int32_t)((L_312)->GetAt(static_cast<il2cpp_array_size_t>(L_314)))))^(int32_t)((L_315)->GetAt(static_cast<il2cpp_array_size_t>(L_317)))))^(int32_t)((L_318)->GetAt(static_cast<il2cpp_array_size_t>(L_319))))); UInt32U5BU5D_t2133601851* L_320 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_321 = V_4; NullCheck(L_320); IL2CPP_ARRAY_BOUNDS_CHECK(L_320, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_321>>((int32_t)24)))))); uintptr_t L_322 = (((uintptr_t)((int32_t)((uint32_t)L_321>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_323 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_324 = V_7; NullCheck(L_323); IL2CPP_ARRAY_BOUNDS_CHECK(L_323, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_324>>((int32_t)16))))))); int32_t L_325 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_324>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_326 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_327 = V_6; NullCheck(L_326); IL2CPP_ARRAY_BOUNDS_CHECK(L_326, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_327>>8)))))); int32_t L_328 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_327>>8))))); UInt32U5BU5D_t2133601851* L_329 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_330 = V_5; NullCheck(L_329); IL2CPP_ARRAY_BOUNDS_CHECK(L_329, (((int32_t)((uint8_t)L_330)))); int32_t L_331 = (((int32_t)((uint8_t)L_330))); UInt32U5BU5D_t2133601851* L_332 = ___ekey; NullCheck(L_332); IL2CPP_ARRAY_BOUNDS_CHECK(L_332, ((int32_t)24)); int32_t L_333 = ((int32_t)24); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_320)->GetAt(static_cast<il2cpp_array_size_t>(L_322)))^(int32_t)((L_323)->GetAt(static_cast<il2cpp_array_size_t>(L_325)))))^(int32_t)((L_326)->GetAt(static_cast<il2cpp_array_size_t>(L_328)))))^(int32_t)((L_329)->GetAt(static_cast<il2cpp_array_size_t>(L_331)))))^(int32_t)((L_332)->GetAt(static_cast<il2cpp_array_size_t>(L_333))))); UInt32U5BU5D_t2133601851* L_334 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_335 = V_5; NullCheck(L_334); IL2CPP_ARRAY_BOUNDS_CHECK(L_334, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_335>>((int32_t)24)))))); uintptr_t L_336 = (((uintptr_t)((int32_t)((uint32_t)L_335>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_337 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_338 = V_4; NullCheck(L_337); IL2CPP_ARRAY_BOUNDS_CHECK(L_337, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_338>>((int32_t)16))))))); int32_t L_339 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_338>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_340 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_341 = V_7; NullCheck(L_340); IL2CPP_ARRAY_BOUNDS_CHECK(L_340, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_341>>8)))))); int32_t L_342 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_341>>8))))); UInt32U5BU5D_t2133601851* L_343 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_344 = V_6; NullCheck(L_343); IL2CPP_ARRAY_BOUNDS_CHECK(L_343, (((int32_t)((uint8_t)L_344)))); int32_t L_345 = (((int32_t)((uint8_t)L_344))); UInt32U5BU5D_t2133601851* L_346 = ___ekey; NullCheck(L_346); IL2CPP_ARRAY_BOUNDS_CHECK(L_346, ((int32_t)25)); int32_t L_347 = ((int32_t)25); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_334)->GetAt(static_cast<il2cpp_array_size_t>(L_336)))^(int32_t)((L_337)->GetAt(static_cast<il2cpp_array_size_t>(L_339)))))^(int32_t)((L_340)->GetAt(static_cast<il2cpp_array_size_t>(L_342)))))^(int32_t)((L_343)->GetAt(static_cast<il2cpp_array_size_t>(L_345)))))^(int32_t)((L_346)->GetAt(static_cast<il2cpp_array_size_t>(L_347))))); UInt32U5BU5D_t2133601851* L_348 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_349 = V_6; NullCheck(L_348); IL2CPP_ARRAY_BOUNDS_CHECK(L_348, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_349>>((int32_t)24)))))); uintptr_t L_350 = (((uintptr_t)((int32_t)((uint32_t)L_349>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_351 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_352 = V_5; NullCheck(L_351); IL2CPP_ARRAY_BOUNDS_CHECK(L_351, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_352>>((int32_t)16))))))); int32_t L_353 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_352>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_354 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_355 = V_4; NullCheck(L_354); IL2CPP_ARRAY_BOUNDS_CHECK(L_354, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_355>>8)))))); int32_t L_356 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_355>>8))))); UInt32U5BU5D_t2133601851* L_357 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_358 = V_7; NullCheck(L_357); IL2CPP_ARRAY_BOUNDS_CHECK(L_357, (((int32_t)((uint8_t)L_358)))); int32_t L_359 = (((int32_t)((uint8_t)L_358))); UInt32U5BU5D_t2133601851* L_360 = ___ekey; NullCheck(L_360); IL2CPP_ARRAY_BOUNDS_CHECK(L_360, ((int32_t)26)); int32_t L_361 = ((int32_t)26); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_348)->GetAt(static_cast<il2cpp_array_size_t>(L_350)))^(int32_t)((L_351)->GetAt(static_cast<il2cpp_array_size_t>(L_353)))))^(int32_t)((L_354)->GetAt(static_cast<il2cpp_array_size_t>(L_356)))))^(int32_t)((L_357)->GetAt(static_cast<il2cpp_array_size_t>(L_359)))))^(int32_t)((L_360)->GetAt(static_cast<il2cpp_array_size_t>(L_361))))); UInt32U5BU5D_t2133601851* L_362 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_363 = V_7; NullCheck(L_362); IL2CPP_ARRAY_BOUNDS_CHECK(L_362, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_363>>((int32_t)24)))))); uintptr_t L_364 = (((uintptr_t)((int32_t)((uint32_t)L_363>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_365 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_366 = V_6; NullCheck(L_365); IL2CPP_ARRAY_BOUNDS_CHECK(L_365, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_366>>((int32_t)16))))))); int32_t L_367 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_366>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_368 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_369 = V_5; NullCheck(L_368); IL2CPP_ARRAY_BOUNDS_CHECK(L_368, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_369>>8)))))); int32_t L_370 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_369>>8))))); UInt32U5BU5D_t2133601851* L_371 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_372 = V_4; NullCheck(L_371); IL2CPP_ARRAY_BOUNDS_CHECK(L_371, (((int32_t)((uint8_t)L_372)))); int32_t L_373 = (((int32_t)((uint8_t)L_372))); UInt32U5BU5D_t2133601851* L_374 = ___ekey; NullCheck(L_374); IL2CPP_ARRAY_BOUNDS_CHECK(L_374, ((int32_t)27)); int32_t L_375 = ((int32_t)27); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_362)->GetAt(static_cast<il2cpp_array_size_t>(L_364)))^(int32_t)((L_365)->GetAt(static_cast<il2cpp_array_size_t>(L_367)))))^(int32_t)((L_368)->GetAt(static_cast<il2cpp_array_size_t>(L_370)))))^(int32_t)((L_371)->GetAt(static_cast<il2cpp_array_size_t>(L_373)))))^(int32_t)((L_374)->GetAt(static_cast<il2cpp_array_size_t>(L_375))))); UInt32U5BU5D_t2133601851* L_376 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_377 = V_0; NullCheck(L_376); IL2CPP_ARRAY_BOUNDS_CHECK(L_376, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_377>>((int32_t)24)))))); uintptr_t L_378 = (((uintptr_t)((int32_t)((uint32_t)L_377>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_379 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_380 = V_3; NullCheck(L_379); IL2CPP_ARRAY_BOUNDS_CHECK(L_379, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_380>>((int32_t)16))))))); int32_t L_381 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_380>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_382 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_383 = V_2; NullCheck(L_382); IL2CPP_ARRAY_BOUNDS_CHECK(L_382, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_383>>8)))))); int32_t L_384 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_383>>8))))); UInt32U5BU5D_t2133601851* L_385 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_386 = V_1; NullCheck(L_385); IL2CPP_ARRAY_BOUNDS_CHECK(L_385, (((int32_t)((uint8_t)L_386)))); int32_t L_387 = (((int32_t)((uint8_t)L_386))); UInt32U5BU5D_t2133601851* L_388 = ___ekey; NullCheck(L_388); IL2CPP_ARRAY_BOUNDS_CHECK(L_388, ((int32_t)28)); int32_t L_389 = ((int32_t)28); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_376)->GetAt(static_cast<il2cpp_array_size_t>(L_378)))^(int32_t)((L_379)->GetAt(static_cast<il2cpp_array_size_t>(L_381)))))^(int32_t)((L_382)->GetAt(static_cast<il2cpp_array_size_t>(L_384)))))^(int32_t)((L_385)->GetAt(static_cast<il2cpp_array_size_t>(L_387)))))^(int32_t)((L_388)->GetAt(static_cast<il2cpp_array_size_t>(L_389))))); UInt32U5BU5D_t2133601851* L_390 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_391 = V_1; NullCheck(L_390); IL2CPP_ARRAY_BOUNDS_CHECK(L_390, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_391>>((int32_t)24)))))); uintptr_t L_392 = (((uintptr_t)((int32_t)((uint32_t)L_391>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_393 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_394 = V_0; NullCheck(L_393); IL2CPP_ARRAY_BOUNDS_CHECK(L_393, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_394>>((int32_t)16))))))); int32_t L_395 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_394>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_396 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_397 = V_3; NullCheck(L_396); IL2CPP_ARRAY_BOUNDS_CHECK(L_396, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_397>>8)))))); int32_t L_398 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_397>>8))))); UInt32U5BU5D_t2133601851* L_399 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_400 = V_2; NullCheck(L_399); IL2CPP_ARRAY_BOUNDS_CHECK(L_399, (((int32_t)((uint8_t)L_400)))); int32_t L_401 = (((int32_t)((uint8_t)L_400))); UInt32U5BU5D_t2133601851* L_402 = ___ekey; NullCheck(L_402); IL2CPP_ARRAY_BOUNDS_CHECK(L_402, ((int32_t)29)); int32_t L_403 = ((int32_t)29); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_390)->GetAt(static_cast<il2cpp_array_size_t>(L_392)))^(int32_t)((L_393)->GetAt(static_cast<il2cpp_array_size_t>(L_395)))))^(int32_t)((L_396)->GetAt(static_cast<il2cpp_array_size_t>(L_398)))))^(int32_t)((L_399)->GetAt(static_cast<il2cpp_array_size_t>(L_401)))))^(int32_t)((L_402)->GetAt(static_cast<il2cpp_array_size_t>(L_403))))); UInt32U5BU5D_t2133601851* L_404 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_405 = V_2; NullCheck(L_404); IL2CPP_ARRAY_BOUNDS_CHECK(L_404, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_405>>((int32_t)24)))))); uintptr_t L_406 = (((uintptr_t)((int32_t)((uint32_t)L_405>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_407 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_408 = V_1; NullCheck(L_407); IL2CPP_ARRAY_BOUNDS_CHECK(L_407, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_408>>((int32_t)16))))))); int32_t L_409 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_408>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_410 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_411 = V_0; NullCheck(L_410); IL2CPP_ARRAY_BOUNDS_CHECK(L_410, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_411>>8)))))); int32_t L_412 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_411>>8))))); UInt32U5BU5D_t2133601851* L_413 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_414 = V_3; NullCheck(L_413); IL2CPP_ARRAY_BOUNDS_CHECK(L_413, (((int32_t)((uint8_t)L_414)))); int32_t L_415 = (((int32_t)((uint8_t)L_414))); UInt32U5BU5D_t2133601851* L_416 = ___ekey; NullCheck(L_416); IL2CPP_ARRAY_BOUNDS_CHECK(L_416, ((int32_t)30)); int32_t L_417 = ((int32_t)30); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_404)->GetAt(static_cast<il2cpp_array_size_t>(L_406)))^(int32_t)((L_407)->GetAt(static_cast<il2cpp_array_size_t>(L_409)))))^(int32_t)((L_410)->GetAt(static_cast<il2cpp_array_size_t>(L_412)))))^(int32_t)((L_413)->GetAt(static_cast<il2cpp_array_size_t>(L_415)))))^(int32_t)((L_416)->GetAt(static_cast<il2cpp_array_size_t>(L_417))))); UInt32U5BU5D_t2133601851* L_418 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_419 = V_3; NullCheck(L_418); IL2CPP_ARRAY_BOUNDS_CHECK(L_418, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_419>>((int32_t)24)))))); uintptr_t L_420 = (((uintptr_t)((int32_t)((uint32_t)L_419>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_421 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_422 = V_2; NullCheck(L_421); IL2CPP_ARRAY_BOUNDS_CHECK(L_421, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_422>>((int32_t)16))))))); int32_t L_423 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_422>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_424 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_425 = V_1; NullCheck(L_424); IL2CPP_ARRAY_BOUNDS_CHECK(L_424, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_425>>8)))))); int32_t L_426 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_425>>8))))); UInt32U5BU5D_t2133601851* L_427 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_428 = V_0; NullCheck(L_427); IL2CPP_ARRAY_BOUNDS_CHECK(L_427, (((int32_t)((uint8_t)L_428)))); int32_t L_429 = (((int32_t)((uint8_t)L_428))); UInt32U5BU5D_t2133601851* L_430 = ___ekey; NullCheck(L_430); IL2CPP_ARRAY_BOUNDS_CHECK(L_430, ((int32_t)31)); int32_t L_431 = ((int32_t)31); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_418)->GetAt(static_cast<il2cpp_array_size_t>(L_420)))^(int32_t)((L_421)->GetAt(static_cast<il2cpp_array_size_t>(L_423)))))^(int32_t)((L_424)->GetAt(static_cast<il2cpp_array_size_t>(L_426)))))^(int32_t)((L_427)->GetAt(static_cast<il2cpp_array_size_t>(L_429)))))^(int32_t)((L_430)->GetAt(static_cast<il2cpp_array_size_t>(L_431))))); UInt32U5BU5D_t2133601851* L_432 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_433 = V_4; NullCheck(L_432); IL2CPP_ARRAY_BOUNDS_CHECK(L_432, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_433>>((int32_t)24)))))); uintptr_t L_434 = (((uintptr_t)((int32_t)((uint32_t)L_433>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_435 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_436 = V_7; NullCheck(L_435); IL2CPP_ARRAY_BOUNDS_CHECK(L_435, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_436>>((int32_t)16))))))); int32_t L_437 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_436>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_438 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_439 = V_6; NullCheck(L_438); IL2CPP_ARRAY_BOUNDS_CHECK(L_438, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_439>>8)))))); int32_t L_440 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_439>>8))))); UInt32U5BU5D_t2133601851* L_441 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_442 = V_5; NullCheck(L_441); IL2CPP_ARRAY_BOUNDS_CHECK(L_441, (((int32_t)((uint8_t)L_442)))); int32_t L_443 = (((int32_t)((uint8_t)L_442))); UInt32U5BU5D_t2133601851* L_444 = ___ekey; NullCheck(L_444); IL2CPP_ARRAY_BOUNDS_CHECK(L_444, ((int32_t)32)); int32_t L_445 = ((int32_t)32); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_432)->GetAt(static_cast<il2cpp_array_size_t>(L_434)))^(int32_t)((L_435)->GetAt(static_cast<il2cpp_array_size_t>(L_437)))))^(int32_t)((L_438)->GetAt(static_cast<il2cpp_array_size_t>(L_440)))))^(int32_t)((L_441)->GetAt(static_cast<il2cpp_array_size_t>(L_443)))))^(int32_t)((L_444)->GetAt(static_cast<il2cpp_array_size_t>(L_445))))); UInt32U5BU5D_t2133601851* L_446 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_447 = V_5; NullCheck(L_446); IL2CPP_ARRAY_BOUNDS_CHECK(L_446, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_447>>((int32_t)24)))))); uintptr_t L_448 = (((uintptr_t)((int32_t)((uint32_t)L_447>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_449 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_450 = V_4; NullCheck(L_449); IL2CPP_ARRAY_BOUNDS_CHECK(L_449, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_450>>((int32_t)16))))))); int32_t L_451 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_450>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_452 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_453 = V_7; NullCheck(L_452); IL2CPP_ARRAY_BOUNDS_CHECK(L_452, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_453>>8)))))); int32_t L_454 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_453>>8))))); UInt32U5BU5D_t2133601851* L_455 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_456 = V_6; NullCheck(L_455); IL2CPP_ARRAY_BOUNDS_CHECK(L_455, (((int32_t)((uint8_t)L_456)))); int32_t L_457 = (((int32_t)((uint8_t)L_456))); UInt32U5BU5D_t2133601851* L_458 = ___ekey; NullCheck(L_458); IL2CPP_ARRAY_BOUNDS_CHECK(L_458, ((int32_t)33)); int32_t L_459 = ((int32_t)33); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_446)->GetAt(static_cast<il2cpp_array_size_t>(L_448)))^(int32_t)((L_449)->GetAt(static_cast<il2cpp_array_size_t>(L_451)))))^(int32_t)((L_452)->GetAt(static_cast<il2cpp_array_size_t>(L_454)))))^(int32_t)((L_455)->GetAt(static_cast<il2cpp_array_size_t>(L_457)))))^(int32_t)((L_458)->GetAt(static_cast<il2cpp_array_size_t>(L_459))))); UInt32U5BU5D_t2133601851* L_460 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_461 = V_6; NullCheck(L_460); IL2CPP_ARRAY_BOUNDS_CHECK(L_460, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_461>>((int32_t)24)))))); uintptr_t L_462 = (((uintptr_t)((int32_t)((uint32_t)L_461>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_463 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_464 = V_5; NullCheck(L_463); IL2CPP_ARRAY_BOUNDS_CHECK(L_463, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_464>>((int32_t)16))))))); int32_t L_465 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_464>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_466 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_467 = V_4; NullCheck(L_466); IL2CPP_ARRAY_BOUNDS_CHECK(L_466, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_467>>8)))))); int32_t L_468 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_467>>8))))); UInt32U5BU5D_t2133601851* L_469 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_470 = V_7; NullCheck(L_469); IL2CPP_ARRAY_BOUNDS_CHECK(L_469, (((int32_t)((uint8_t)L_470)))); int32_t L_471 = (((int32_t)((uint8_t)L_470))); UInt32U5BU5D_t2133601851* L_472 = ___ekey; NullCheck(L_472); IL2CPP_ARRAY_BOUNDS_CHECK(L_472, ((int32_t)34)); int32_t L_473 = ((int32_t)34); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_460)->GetAt(static_cast<il2cpp_array_size_t>(L_462)))^(int32_t)((L_463)->GetAt(static_cast<il2cpp_array_size_t>(L_465)))))^(int32_t)((L_466)->GetAt(static_cast<il2cpp_array_size_t>(L_468)))))^(int32_t)((L_469)->GetAt(static_cast<il2cpp_array_size_t>(L_471)))))^(int32_t)((L_472)->GetAt(static_cast<il2cpp_array_size_t>(L_473))))); UInt32U5BU5D_t2133601851* L_474 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_475 = V_7; NullCheck(L_474); IL2CPP_ARRAY_BOUNDS_CHECK(L_474, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_475>>((int32_t)24)))))); uintptr_t L_476 = (((uintptr_t)((int32_t)((uint32_t)L_475>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_477 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_478 = V_6; NullCheck(L_477); IL2CPP_ARRAY_BOUNDS_CHECK(L_477, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_478>>((int32_t)16))))))); int32_t L_479 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_478>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_480 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_481 = V_5; NullCheck(L_480); IL2CPP_ARRAY_BOUNDS_CHECK(L_480, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_481>>8)))))); int32_t L_482 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_481>>8))))); UInt32U5BU5D_t2133601851* L_483 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_484 = V_4; NullCheck(L_483); IL2CPP_ARRAY_BOUNDS_CHECK(L_483, (((int32_t)((uint8_t)L_484)))); int32_t L_485 = (((int32_t)((uint8_t)L_484))); UInt32U5BU5D_t2133601851* L_486 = ___ekey; NullCheck(L_486); IL2CPP_ARRAY_BOUNDS_CHECK(L_486, ((int32_t)35)); int32_t L_487 = ((int32_t)35); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_474)->GetAt(static_cast<il2cpp_array_size_t>(L_476)))^(int32_t)((L_477)->GetAt(static_cast<il2cpp_array_size_t>(L_479)))))^(int32_t)((L_480)->GetAt(static_cast<il2cpp_array_size_t>(L_482)))))^(int32_t)((L_483)->GetAt(static_cast<il2cpp_array_size_t>(L_485)))))^(int32_t)((L_486)->GetAt(static_cast<il2cpp_array_size_t>(L_487))))); UInt32U5BU5D_t2133601851* L_488 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_489 = V_0; NullCheck(L_488); IL2CPP_ARRAY_BOUNDS_CHECK(L_488, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_489>>((int32_t)24)))))); uintptr_t L_490 = (((uintptr_t)((int32_t)((uint32_t)L_489>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_491 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_492 = V_3; NullCheck(L_491); IL2CPP_ARRAY_BOUNDS_CHECK(L_491, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_492>>((int32_t)16))))))); int32_t L_493 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_492>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_494 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_495 = V_2; NullCheck(L_494); IL2CPP_ARRAY_BOUNDS_CHECK(L_494, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_495>>8)))))); int32_t L_496 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_495>>8))))); UInt32U5BU5D_t2133601851* L_497 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_498 = V_1; NullCheck(L_497); IL2CPP_ARRAY_BOUNDS_CHECK(L_497, (((int32_t)((uint8_t)L_498)))); int32_t L_499 = (((int32_t)((uint8_t)L_498))); UInt32U5BU5D_t2133601851* L_500 = ___ekey; NullCheck(L_500); IL2CPP_ARRAY_BOUNDS_CHECK(L_500, ((int32_t)36)); int32_t L_501 = ((int32_t)36); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_488)->GetAt(static_cast<il2cpp_array_size_t>(L_490)))^(int32_t)((L_491)->GetAt(static_cast<il2cpp_array_size_t>(L_493)))))^(int32_t)((L_494)->GetAt(static_cast<il2cpp_array_size_t>(L_496)))))^(int32_t)((L_497)->GetAt(static_cast<il2cpp_array_size_t>(L_499)))))^(int32_t)((L_500)->GetAt(static_cast<il2cpp_array_size_t>(L_501))))); UInt32U5BU5D_t2133601851* L_502 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_503 = V_1; NullCheck(L_502); IL2CPP_ARRAY_BOUNDS_CHECK(L_502, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_503>>((int32_t)24)))))); uintptr_t L_504 = (((uintptr_t)((int32_t)((uint32_t)L_503>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_505 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_506 = V_0; NullCheck(L_505); IL2CPP_ARRAY_BOUNDS_CHECK(L_505, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_506>>((int32_t)16))))))); int32_t L_507 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_506>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_508 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_509 = V_3; NullCheck(L_508); IL2CPP_ARRAY_BOUNDS_CHECK(L_508, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_509>>8)))))); int32_t L_510 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_509>>8))))); UInt32U5BU5D_t2133601851* L_511 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_512 = V_2; NullCheck(L_511); IL2CPP_ARRAY_BOUNDS_CHECK(L_511, (((int32_t)((uint8_t)L_512)))); int32_t L_513 = (((int32_t)((uint8_t)L_512))); UInt32U5BU5D_t2133601851* L_514 = ___ekey; NullCheck(L_514); IL2CPP_ARRAY_BOUNDS_CHECK(L_514, ((int32_t)37)); int32_t L_515 = ((int32_t)37); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_502)->GetAt(static_cast<il2cpp_array_size_t>(L_504)))^(int32_t)((L_505)->GetAt(static_cast<il2cpp_array_size_t>(L_507)))))^(int32_t)((L_508)->GetAt(static_cast<il2cpp_array_size_t>(L_510)))))^(int32_t)((L_511)->GetAt(static_cast<il2cpp_array_size_t>(L_513)))))^(int32_t)((L_514)->GetAt(static_cast<il2cpp_array_size_t>(L_515))))); UInt32U5BU5D_t2133601851* L_516 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_517 = V_2; NullCheck(L_516); IL2CPP_ARRAY_BOUNDS_CHECK(L_516, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_517>>((int32_t)24)))))); uintptr_t L_518 = (((uintptr_t)((int32_t)((uint32_t)L_517>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_519 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_520 = V_1; NullCheck(L_519); IL2CPP_ARRAY_BOUNDS_CHECK(L_519, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_520>>((int32_t)16))))))); int32_t L_521 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_520>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_522 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_523 = V_0; NullCheck(L_522); IL2CPP_ARRAY_BOUNDS_CHECK(L_522, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_523>>8)))))); int32_t L_524 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_523>>8))))); UInt32U5BU5D_t2133601851* L_525 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_526 = V_3; NullCheck(L_525); IL2CPP_ARRAY_BOUNDS_CHECK(L_525, (((int32_t)((uint8_t)L_526)))); int32_t L_527 = (((int32_t)((uint8_t)L_526))); UInt32U5BU5D_t2133601851* L_528 = ___ekey; NullCheck(L_528); IL2CPP_ARRAY_BOUNDS_CHECK(L_528, ((int32_t)38)); int32_t L_529 = ((int32_t)38); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_516)->GetAt(static_cast<il2cpp_array_size_t>(L_518)))^(int32_t)((L_519)->GetAt(static_cast<il2cpp_array_size_t>(L_521)))))^(int32_t)((L_522)->GetAt(static_cast<il2cpp_array_size_t>(L_524)))))^(int32_t)((L_525)->GetAt(static_cast<il2cpp_array_size_t>(L_527)))))^(int32_t)((L_528)->GetAt(static_cast<il2cpp_array_size_t>(L_529))))); UInt32U5BU5D_t2133601851* L_530 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_531 = V_3; NullCheck(L_530); IL2CPP_ARRAY_BOUNDS_CHECK(L_530, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_531>>((int32_t)24)))))); uintptr_t L_532 = (((uintptr_t)((int32_t)((uint32_t)L_531>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_533 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_534 = V_2; NullCheck(L_533); IL2CPP_ARRAY_BOUNDS_CHECK(L_533, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_534>>((int32_t)16))))))); int32_t L_535 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_534>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_536 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_537 = V_1; NullCheck(L_536); IL2CPP_ARRAY_BOUNDS_CHECK(L_536, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_537>>8)))))); int32_t L_538 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_537>>8))))); UInt32U5BU5D_t2133601851* L_539 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_540 = V_0; NullCheck(L_539); IL2CPP_ARRAY_BOUNDS_CHECK(L_539, (((int32_t)((uint8_t)L_540)))); int32_t L_541 = (((int32_t)((uint8_t)L_540))); UInt32U5BU5D_t2133601851* L_542 = ___ekey; NullCheck(L_542); IL2CPP_ARRAY_BOUNDS_CHECK(L_542, ((int32_t)39)); int32_t L_543 = ((int32_t)39); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_530)->GetAt(static_cast<il2cpp_array_size_t>(L_532)))^(int32_t)((L_533)->GetAt(static_cast<il2cpp_array_size_t>(L_535)))))^(int32_t)((L_536)->GetAt(static_cast<il2cpp_array_size_t>(L_538)))))^(int32_t)((L_539)->GetAt(static_cast<il2cpp_array_size_t>(L_541)))))^(int32_t)((L_542)->GetAt(static_cast<il2cpp_array_size_t>(L_543))))); int32_t L_544 = __this->get_Nr_15(); if ((((int32_t)L_544) <= ((int32_t)((int32_t)10)))) { goto IL_0b08; } } { IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_545 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_546 = V_4; NullCheck(L_545); IL2CPP_ARRAY_BOUNDS_CHECK(L_545, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_546>>((int32_t)24)))))); uintptr_t L_547 = (((uintptr_t)((int32_t)((uint32_t)L_546>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_548 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_549 = V_7; NullCheck(L_548); IL2CPP_ARRAY_BOUNDS_CHECK(L_548, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_549>>((int32_t)16))))))); int32_t L_550 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_549>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_551 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_552 = V_6; NullCheck(L_551); IL2CPP_ARRAY_BOUNDS_CHECK(L_551, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_552>>8)))))); int32_t L_553 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_552>>8))))); UInt32U5BU5D_t2133601851* L_554 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_555 = V_5; NullCheck(L_554); IL2CPP_ARRAY_BOUNDS_CHECK(L_554, (((int32_t)((uint8_t)L_555)))); int32_t L_556 = (((int32_t)((uint8_t)L_555))); UInt32U5BU5D_t2133601851* L_557 = ___ekey; NullCheck(L_557); IL2CPP_ARRAY_BOUNDS_CHECK(L_557, ((int32_t)40)); int32_t L_558 = ((int32_t)40); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_545)->GetAt(static_cast<il2cpp_array_size_t>(L_547)))^(int32_t)((L_548)->GetAt(static_cast<il2cpp_array_size_t>(L_550)))))^(int32_t)((L_551)->GetAt(static_cast<il2cpp_array_size_t>(L_553)))))^(int32_t)((L_554)->GetAt(static_cast<il2cpp_array_size_t>(L_556)))))^(int32_t)((L_557)->GetAt(static_cast<il2cpp_array_size_t>(L_558))))); UInt32U5BU5D_t2133601851* L_559 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_560 = V_5; NullCheck(L_559); IL2CPP_ARRAY_BOUNDS_CHECK(L_559, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_560>>((int32_t)24)))))); uintptr_t L_561 = (((uintptr_t)((int32_t)((uint32_t)L_560>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_562 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_563 = V_4; NullCheck(L_562); IL2CPP_ARRAY_BOUNDS_CHECK(L_562, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_563>>((int32_t)16))))))); int32_t L_564 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_563>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_565 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_566 = V_7; NullCheck(L_565); IL2CPP_ARRAY_BOUNDS_CHECK(L_565, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_566>>8)))))); int32_t L_567 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_566>>8))))); UInt32U5BU5D_t2133601851* L_568 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_569 = V_6; NullCheck(L_568); IL2CPP_ARRAY_BOUNDS_CHECK(L_568, (((int32_t)((uint8_t)L_569)))); int32_t L_570 = (((int32_t)((uint8_t)L_569))); UInt32U5BU5D_t2133601851* L_571 = ___ekey; NullCheck(L_571); IL2CPP_ARRAY_BOUNDS_CHECK(L_571, ((int32_t)41)); int32_t L_572 = ((int32_t)41); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_559)->GetAt(static_cast<il2cpp_array_size_t>(L_561)))^(int32_t)((L_562)->GetAt(static_cast<il2cpp_array_size_t>(L_564)))))^(int32_t)((L_565)->GetAt(static_cast<il2cpp_array_size_t>(L_567)))))^(int32_t)((L_568)->GetAt(static_cast<il2cpp_array_size_t>(L_570)))))^(int32_t)((L_571)->GetAt(static_cast<il2cpp_array_size_t>(L_572))))); UInt32U5BU5D_t2133601851* L_573 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_574 = V_6; NullCheck(L_573); IL2CPP_ARRAY_BOUNDS_CHECK(L_573, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_574>>((int32_t)24)))))); uintptr_t L_575 = (((uintptr_t)((int32_t)((uint32_t)L_574>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_576 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_577 = V_5; NullCheck(L_576); IL2CPP_ARRAY_BOUNDS_CHECK(L_576, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_577>>((int32_t)16))))))); int32_t L_578 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_577>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_579 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_580 = V_4; NullCheck(L_579); IL2CPP_ARRAY_BOUNDS_CHECK(L_579, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_580>>8)))))); int32_t L_581 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_580>>8))))); UInt32U5BU5D_t2133601851* L_582 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_583 = V_7; NullCheck(L_582); IL2CPP_ARRAY_BOUNDS_CHECK(L_582, (((int32_t)((uint8_t)L_583)))); int32_t L_584 = (((int32_t)((uint8_t)L_583))); UInt32U5BU5D_t2133601851* L_585 = ___ekey; NullCheck(L_585); IL2CPP_ARRAY_BOUNDS_CHECK(L_585, ((int32_t)42)); int32_t L_586 = ((int32_t)42); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_573)->GetAt(static_cast<il2cpp_array_size_t>(L_575)))^(int32_t)((L_576)->GetAt(static_cast<il2cpp_array_size_t>(L_578)))))^(int32_t)((L_579)->GetAt(static_cast<il2cpp_array_size_t>(L_581)))))^(int32_t)((L_582)->GetAt(static_cast<il2cpp_array_size_t>(L_584)))))^(int32_t)((L_585)->GetAt(static_cast<il2cpp_array_size_t>(L_586))))); UInt32U5BU5D_t2133601851* L_587 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_588 = V_7; NullCheck(L_587); IL2CPP_ARRAY_BOUNDS_CHECK(L_587, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_588>>((int32_t)24)))))); uintptr_t L_589 = (((uintptr_t)((int32_t)((uint32_t)L_588>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_590 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_591 = V_6; NullCheck(L_590); IL2CPP_ARRAY_BOUNDS_CHECK(L_590, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_591>>((int32_t)16))))))); int32_t L_592 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_591>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_593 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_594 = V_5; NullCheck(L_593); IL2CPP_ARRAY_BOUNDS_CHECK(L_593, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_594>>8)))))); int32_t L_595 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_594>>8))))); UInt32U5BU5D_t2133601851* L_596 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_597 = V_4; NullCheck(L_596); IL2CPP_ARRAY_BOUNDS_CHECK(L_596, (((int32_t)((uint8_t)L_597)))); int32_t L_598 = (((int32_t)((uint8_t)L_597))); UInt32U5BU5D_t2133601851* L_599 = ___ekey; NullCheck(L_599); IL2CPP_ARRAY_BOUNDS_CHECK(L_599, ((int32_t)43)); int32_t L_600 = ((int32_t)43); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_587)->GetAt(static_cast<il2cpp_array_size_t>(L_589)))^(int32_t)((L_590)->GetAt(static_cast<il2cpp_array_size_t>(L_592)))))^(int32_t)((L_593)->GetAt(static_cast<il2cpp_array_size_t>(L_595)))))^(int32_t)((L_596)->GetAt(static_cast<il2cpp_array_size_t>(L_598)))))^(int32_t)((L_599)->GetAt(static_cast<il2cpp_array_size_t>(L_600))))); UInt32U5BU5D_t2133601851* L_601 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_602 = V_0; NullCheck(L_601); IL2CPP_ARRAY_BOUNDS_CHECK(L_601, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_602>>((int32_t)24)))))); uintptr_t L_603 = (((uintptr_t)((int32_t)((uint32_t)L_602>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_604 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_605 = V_3; NullCheck(L_604); IL2CPP_ARRAY_BOUNDS_CHECK(L_604, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_605>>((int32_t)16))))))); int32_t L_606 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_605>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_607 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_608 = V_2; NullCheck(L_607); IL2CPP_ARRAY_BOUNDS_CHECK(L_607, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_608>>8)))))); int32_t L_609 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_608>>8))))); UInt32U5BU5D_t2133601851* L_610 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_611 = V_1; NullCheck(L_610); IL2CPP_ARRAY_BOUNDS_CHECK(L_610, (((int32_t)((uint8_t)L_611)))); int32_t L_612 = (((int32_t)((uint8_t)L_611))); UInt32U5BU5D_t2133601851* L_613 = ___ekey; NullCheck(L_613); IL2CPP_ARRAY_BOUNDS_CHECK(L_613, ((int32_t)44)); int32_t L_614 = ((int32_t)44); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_601)->GetAt(static_cast<il2cpp_array_size_t>(L_603)))^(int32_t)((L_604)->GetAt(static_cast<il2cpp_array_size_t>(L_606)))))^(int32_t)((L_607)->GetAt(static_cast<il2cpp_array_size_t>(L_609)))))^(int32_t)((L_610)->GetAt(static_cast<il2cpp_array_size_t>(L_612)))))^(int32_t)((L_613)->GetAt(static_cast<il2cpp_array_size_t>(L_614))))); UInt32U5BU5D_t2133601851* L_615 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_616 = V_1; NullCheck(L_615); IL2CPP_ARRAY_BOUNDS_CHECK(L_615, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_616>>((int32_t)24)))))); uintptr_t L_617 = (((uintptr_t)((int32_t)((uint32_t)L_616>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_618 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_619 = V_0; NullCheck(L_618); IL2CPP_ARRAY_BOUNDS_CHECK(L_618, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_619>>((int32_t)16))))))); int32_t L_620 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_619>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_621 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_622 = V_3; NullCheck(L_621); IL2CPP_ARRAY_BOUNDS_CHECK(L_621, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_622>>8)))))); int32_t L_623 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_622>>8))))); UInt32U5BU5D_t2133601851* L_624 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_625 = V_2; NullCheck(L_624); IL2CPP_ARRAY_BOUNDS_CHECK(L_624, (((int32_t)((uint8_t)L_625)))); int32_t L_626 = (((int32_t)((uint8_t)L_625))); UInt32U5BU5D_t2133601851* L_627 = ___ekey; NullCheck(L_627); IL2CPP_ARRAY_BOUNDS_CHECK(L_627, ((int32_t)45)); int32_t L_628 = ((int32_t)45); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_615)->GetAt(static_cast<il2cpp_array_size_t>(L_617)))^(int32_t)((L_618)->GetAt(static_cast<il2cpp_array_size_t>(L_620)))))^(int32_t)((L_621)->GetAt(static_cast<il2cpp_array_size_t>(L_623)))))^(int32_t)((L_624)->GetAt(static_cast<il2cpp_array_size_t>(L_626)))))^(int32_t)((L_627)->GetAt(static_cast<il2cpp_array_size_t>(L_628))))); UInt32U5BU5D_t2133601851* L_629 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_630 = V_2; NullCheck(L_629); IL2CPP_ARRAY_BOUNDS_CHECK(L_629, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_630>>((int32_t)24)))))); uintptr_t L_631 = (((uintptr_t)((int32_t)((uint32_t)L_630>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_632 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_633 = V_1; NullCheck(L_632); IL2CPP_ARRAY_BOUNDS_CHECK(L_632, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_633>>((int32_t)16))))))); int32_t L_634 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_633>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_635 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_636 = V_0; NullCheck(L_635); IL2CPP_ARRAY_BOUNDS_CHECK(L_635, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_636>>8)))))); int32_t L_637 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_636>>8))))); UInt32U5BU5D_t2133601851* L_638 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_639 = V_3; NullCheck(L_638); IL2CPP_ARRAY_BOUNDS_CHECK(L_638, (((int32_t)((uint8_t)L_639)))); int32_t L_640 = (((int32_t)((uint8_t)L_639))); UInt32U5BU5D_t2133601851* L_641 = ___ekey; NullCheck(L_641); IL2CPP_ARRAY_BOUNDS_CHECK(L_641, ((int32_t)46)); int32_t L_642 = ((int32_t)46); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_629)->GetAt(static_cast<il2cpp_array_size_t>(L_631)))^(int32_t)((L_632)->GetAt(static_cast<il2cpp_array_size_t>(L_634)))))^(int32_t)((L_635)->GetAt(static_cast<il2cpp_array_size_t>(L_637)))))^(int32_t)((L_638)->GetAt(static_cast<il2cpp_array_size_t>(L_640)))))^(int32_t)((L_641)->GetAt(static_cast<il2cpp_array_size_t>(L_642))))); UInt32U5BU5D_t2133601851* L_643 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_644 = V_3; NullCheck(L_643); IL2CPP_ARRAY_BOUNDS_CHECK(L_643, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_644>>((int32_t)24)))))); uintptr_t L_645 = (((uintptr_t)((int32_t)((uint32_t)L_644>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_646 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_647 = V_2; NullCheck(L_646); IL2CPP_ARRAY_BOUNDS_CHECK(L_646, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_647>>((int32_t)16))))))); int32_t L_648 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_647>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_649 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_650 = V_1; NullCheck(L_649); IL2CPP_ARRAY_BOUNDS_CHECK(L_649, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_650>>8)))))); int32_t L_651 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_650>>8))))); UInt32U5BU5D_t2133601851* L_652 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_653 = V_0; NullCheck(L_652); IL2CPP_ARRAY_BOUNDS_CHECK(L_652, (((int32_t)((uint8_t)L_653)))); int32_t L_654 = (((int32_t)((uint8_t)L_653))); UInt32U5BU5D_t2133601851* L_655 = ___ekey; NullCheck(L_655); IL2CPP_ARRAY_BOUNDS_CHECK(L_655, ((int32_t)47)); int32_t L_656 = ((int32_t)47); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_643)->GetAt(static_cast<il2cpp_array_size_t>(L_645)))^(int32_t)((L_646)->GetAt(static_cast<il2cpp_array_size_t>(L_648)))))^(int32_t)((L_649)->GetAt(static_cast<il2cpp_array_size_t>(L_651)))))^(int32_t)((L_652)->GetAt(static_cast<il2cpp_array_size_t>(L_654)))))^(int32_t)((L_655)->GetAt(static_cast<il2cpp_array_size_t>(L_656))))); V_8 = ((int32_t)48); int32_t L_657 = __this->get_Nr_15(); if ((((int32_t)L_657) <= ((int32_t)((int32_t)12)))) { goto IL_0b08; } } { IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_658 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_659 = V_4; NullCheck(L_658); IL2CPP_ARRAY_BOUNDS_CHECK(L_658, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_659>>((int32_t)24)))))); uintptr_t L_660 = (((uintptr_t)((int32_t)((uint32_t)L_659>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_661 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_662 = V_7; NullCheck(L_661); IL2CPP_ARRAY_BOUNDS_CHECK(L_661, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_662>>((int32_t)16))))))); int32_t L_663 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_662>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_664 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_665 = V_6; NullCheck(L_664); IL2CPP_ARRAY_BOUNDS_CHECK(L_664, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_665>>8)))))); int32_t L_666 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_665>>8))))); UInt32U5BU5D_t2133601851* L_667 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_668 = V_5; NullCheck(L_667); IL2CPP_ARRAY_BOUNDS_CHECK(L_667, (((int32_t)((uint8_t)L_668)))); int32_t L_669 = (((int32_t)((uint8_t)L_668))); UInt32U5BU5D_t2133601851* L_670 = ___ekey; NullCheck(L_670); IL2CPP_ARRAY_BOUNDS_CHECK(L_670, ((int32_t)48)); int32_t L_671 = ((int32_t)48); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_658)->GetAt(static_cast<il2cpp_array_size_t>(L_660)))^(int32_t)((L_661)->GetAt(static_cast<il2cpp_array_size_t>(L_663)))))^(int32_t)((L_664)->GetAt(static_cast<il2cpp_array_size_t>(L_666)))))^(int32_t)((L_667)->GetAt(static_cast<il2cpp_array_size_t>(L_669)))))^(int32_t)((L_670)->GetAt(static_cast<il2cpp_array_size_t>(L_671))))); UInt32U5BU5D_t2133601851* L_672 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_673 = V_5; NullCheck(L_672); IL2CPP_ARRAY_BOUNDS_CHECK(L_672, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_673>>((int32_t)24)))))); uintptr_t L_674 = (((uintptr_t)((int32_t)((uint32_t)L_673>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_675 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_676 = V_4; NullCheck(L_675); IL2CPP_ARRAY_BOUNDS_CHECK(L_675, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_676>>((int32_t)16))))))); int32_t L_677 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_676>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_678 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_679 = V_7; NullCheck(L_678); IL2CPP_ARRAY_BOUNDS_CHECK(L_678, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_679>>8)))))); int32_t L_680 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_679>>8))))); UInt32U5BU5D_t2133601851* L_681 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_682 = V_6; NullCheck(L_681); IL2CPP_ARRAY_BOUNDS_CHECK(L_681, (((int32_t)((uint8_t)L_682)))); int32_t L_683 = (((int32_t)((uint8_t)L_682))); UInt32U5BU5D_t2133601851* L_684 = ___ekey; NullCheck(L_684); IL2CPP_ARRAY_BOUNDS_CHECK(L_684, ((int32_t)49)); int32_t L_685 = ((int32_t)49); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_672)->GetAt(static_cast<il2cpp_array_size_t>(L_674)))^(int32_t)((L_675)->GetAt(static_cast<il2cpp_array_size_t>(L_677)))))^(int32_t)((L_678)->GetAt(static_cast<il2cpp_array_size_t>(L_680)))))^(int32_t)((L_681)->GetAt(static_cast<il2cpp_array_size_t>(L_683)))))^(int32_t)((L_684)->GetAt(static_cast<il2cpp_array_size_t>(L_685))))); UInt32U5BU5D_t2133601851* L_686 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_687 = V_6; NullCheck(L_686); IL2CPP_ARRAY_BOUNDS_CHECK(L_686, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_687>>((int32_t)24)))))); uintptr_t L_688 = (((uintptr_t)((int32_t)((uint32_t)L_687>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_689 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_690 = V_5; NullCheck(L_689); IL2CPP_ARRAY_BOUNDS_CHECK(L_689, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_690>>((int32_t)16))))))); int32_t L_691 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_690>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_692 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_693 = V_4; NullCheck(L_692); IL2CPP_ARRAY_BOUNDS_CHECK(L_692, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_693>>8)))))); int32_t L_694 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_693>>8))))); UInt32U5BU5D_t2133601851* L_695 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_696 = V_7; NullCheck(L_695); IL2CPP_ARRAY_BOUNDS_CHECK(L_695, (((int32_t)((uint8_t)L_696)))); int32_t L_697 = (((int32_t)((uint8_t)L_696))); UInt32U5BU5D_t2133601851* L_698 = ___ekey; NullCheck(L_698); IL2CPP_ARRAY_BOUNDS_CHECK(L_698, ((int32_t)50)); int32_t L_699 = ((int32_t)50); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_686)->GetAt(static_cast<il2cpp_array_size_t>(L_688)))^(int32_t)((L_689)->GetAt(static_cast<il2cpp_array_size_t>(L_691)))))^(int32_t)((L_692)->GetAt(static_cast<il2cpp_array_size_t>(L_694)))))^(int32_t)((L_695)->GetAt(static_cast<il2cpp_array_size_t>(L_697)))))^(int32_t)((L_698)->GetAt(static_cast<il2cpp_array_size_t>(L_699))))); UInt32U5BU5D_t2133601851* L_700 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_701 = V_7; NullCheck(L_700); IL2CPP_ARRAY_BOUNDS_CHECK(L_700, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_701>>((int32_t)24)))))); uintptr_t L_702 = (((uintptr_t)((int32_t)((uint32_t)L_701>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_703 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_704 = V_6; NullCheck(L_703); IL2CPP_ARRAY_BOUNDS_CHECK(L_703, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_704>>((int32_t)16))))))); int32_t L_705 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_704>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_706 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_707 = V_5; NullCheck(L_706); IL2CPP_ARRAY_BOUNDS_CHECK(L_706, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_707>>8)))))); int32_t L_708 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_707>>8))))); UInt32U5BU5D_t2133601851* L_709 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_710 = V_4; NullCheck(L_709); IL2CPP_ARRAY_BOUNDS_CHECK(L_709, (((int32_t)((uint8_t)L_710)))); int32_t L_711 = (((int32_t)((uint8_t)L_710))); UInt32U5BU5D_t2133601851* L_712 = ___ekey; NullCheck(L_712); IL2CPP_ARRAY_BOUNDS_CHECK(L_712, ((int32_t)51)); int32_t L_713 = ((int32_t)51); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_700)->GetAt(static_cast<il2cpp_array_size_t>(L_702)))^(int32_t)((L_703)->GetAt(static_cast<il2cpp_array_size_t>(L_705)))))^(int32_t)((L_706)->GetAt(static_cast<il2cpp_array_size_t>(L_708)))))^(int32_t)((L_709)->GetAt(static_cast<il2cpp_array_size_t>(L_711)))))^(int32_t)((L_712)->GetAt(static_cast<il2cpp_array_size_t>(L_713))))); UInt32U5BU5D_t2133601851* L_714 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_715 = V_0; NullCheck(L_714); IL2CPP_ARRAY_BOUNDS_CHECK(L_714, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_715>>((int32_t)24)))))); uintptr_t L_716 = (((uintptr_t)((int32_t)((uint32_t)L_715>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_717 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_718 = V_3; NullCheck(L_717); IL2CPP_ARRAY_BOUNDS_CHECK(L_717, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_718>>((int32_t)16))))))); int32_t L_719 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_718>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_720 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_721 = V_2; NullCheck(L_720); IL2CPP_ARRAY_BOUNDS_CHECK(L_720, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_721>>8)))))); int32_t L_722 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_721>>8))))); UInt32U5BU5D_t2133601851* L_723 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_724 = V_1; NullCheck(L_723); IL2CPP_ARRAY_BOUNDS_CHECK(L_723, (((int32_t)((uint8_t)L_724)))); int32_t L_725 = (((int32_t)((uint8_t)L_724))); UInt32U5BU5D_t2133601851* L_726 = ___ekey; NullCheck(L_726); IL2CPP_ARRAY_BOUNDS_CHECK(L_726, ((int32_t)52)); int32_t L_727 = ((int32_t)52); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_714)->GetAt(static_cast<il2cpp_array_size_t>(L_716)))^(int32_t)((L_717)->GetAt(static_cast<il2cpp_array_size_t>(L_719)))))^(int32_t)((L_720)->GetAt(static_cast<il2cpp_array_size_t>(L_722)))))^(int32_t)((L_723)->GetAt(static_cast<il2cpp_array_size_t>(L_725)))))^(int32_t)((L_726)->GetAt(static_cast<il2cpp_array_size_t>(L_727))))); UInt32U5BU5D_t2133601851* L_728 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_729 = V_1; NullCheck(L_728); IL2CPP_ARRAY_BOUNDS_CHECK(L_728, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_729>>((int32_t)24)))))); uintptr_t L_730 = (((uintptr_t)((int32_t)((uint32_t)L_729>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_731 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_732 = V_0; NullCheck(L_731); IL2CPP_ARRAY_BOUNDS_CHECK(L_731, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_732>>((int32_t)16))))))); int32_t L_733 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_732>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_734 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_735 = V_3; NullCheck(L_734); IL2CPP_ARRAY_BOUNDS_CHECK(L_734, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_735>>8)))))); int32_t L_736 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_735>>8))))); UInt32U5BU5D_t2133601851* L_737 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_738 = V_2; NullCheck(L_737); IL2CPP_ARRAY_BOUNDS_CHECK(L_737, (((int32_t)((uint8_t)L_738)))); int32_t L_739 = (((int32_t)((uint8_t)L_738))); UInt32U5BU5D_t2133601851* L_740 = ___ekey; NullCheck(L_740); IL2CPP_ARRAY_BOUNDS_CHECK(L_740, ((int32_t)53)); int32_t L_741 = ((int32_t)53); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_728)->GetAt(static_cast<il2cpp_array_size_t>(L_730)))^(int32_t)((L_731)->GetAt(static_cast<il2cpp_array_size_t>(L_733)))))^(int32_t)((L_734)->GetAt(static_cast<il2cpp_array_size_t>(L_736)))))^(int32_t)((L_737)->GetAt(static_cast<il2cpp_array_size_t>(L_739)))))^(int32_t)((L_740)->GetAt(static_cast<il2cpp_array_size_t>(L_741))))); UInt32U5BU5D_t2133601851* L_742 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_743 = V_2; NullCheck(L_742); IL2CPP_ARRAY_BOUNDS_CHECK(L_742, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_743>>((int32_t)24)))))); uintptr_t L_744 = (((uintptr_t)((int32_t)((uint32_t)L_743>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_745 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_746 = V_1; NullCheck(L_745); IL2CPP_ARRAY_BOUNDS_CHECK(L_745, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_746>>((int32_t)16))))))); int32_t L_747 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_746>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_748 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_749 = V_0; NullCheck(L_748); IL2CPP_ARRAY_BOUNDS_CHECK(L_748, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_749>>8)))))); int32_t L_750 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_749>>8))))); UInt32U5BU5D_t2133601851* L_751 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_752 = V_3; NullCheck(L_751); IL2CPP_ARRAY_BOUNDS_CHECK(L_751, (((int32_t)((uint8_t)L_752)))); int32_t L_753 = (((int32_t)((uint8_t)L_752))); UInt32U5BU5D_t2133601851* L_754 = ___ekey; NullCheck(L_754); IL2CPP_ARRAY_BOUNDS_CHECK(L_754, ((int32_t)54)); int32_t L_755 = ((int32_t)54); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_742)->GetAt(static_cast<il2cpp_array_size_t>(L_744)))^(int32_t)((L_745)->GetAt(static_cast<il2cpp_array_size_t>(L_747)))))^(int32_t)((L_748)->GetAt(static_cast<il2cpp_array_size_t>(L_750)))))^(int32_t)((L_751)->GetAt(static_cast<il2cpp_array_size_t>(L_753)))))^(int32_t)((L_754)->GetAt(static_cast<il2cpp_array_size_t>(L_755))))); UInt32U5BU5D_t2133601851* L_756 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_757 = V_3; NullCheck(L_756); IL2CPP_ARRAY_BOUNDS_CHECK(L_756, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_757>>((int32_t)24)))))); uintptr_t L_758 = (((uintptr_t)((int32_t)((uint32_t)L_757>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_759 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_760 = V_2; NullCheck(L_759); IL2CPP_ARRAY_BOUNDS_CHECK(L_759, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_760>>((int32_t)16))))))); int32_t L_761 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_760>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_762 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_763 = V_1; NullCheck(L_762); IL2CPP_ARRAY_BOUNDS_CHECK(L_762, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_763>>8)))))); int32_t L_764 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_763>>8))))); UInt32U5BU5D_t2133601851* L_765 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_766 = V_0; NullCheck(L_765); IL2CPP_ARRAY_BOUNDS_CHECK(L_765, (((int32_t)((uint8_t)L_766)))); int32_t L_767 = (((int32_t)((uint8_t)L_766))); UInt32U5BU5D_t2133601851* L_768 = ___ekey; NullCheck(L_768); IL2CPP_ARRAY_BOUNDS_CHECK(L_768, ((int32_t)55)); int32_t L_769 = ((int32_t)55); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_756)->GetAt(static_cast<il2cpp_array_size_t>(L_758)))^(int32_t)((L_759)->GetAt(static_cast<il2cpp_array_size_t>(L_761)))))^(int32_t)((L_762)->GetAt(static_cast<il2cpp_array_size_t>(L_764)))))^(int32_t)((L_765)->GetAt(static_cast<il2cpp_array_size_t>(L_767)))))^(int32_t)((L_768)->GetAt(static_cast<il2cpp_array_size_t>(L_769))))); V_8 = ((int32_t)56); } IL_0b08: { ByteU5BU5D_t58506160* L_770 = ___outdata; IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_771 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_772 = V_4; NullCheck(L_771); IL2CPP_ARRAY_BOUNDS_CHECK(L_771, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_772>>((int32_t)24)))))); uintptr_t L_773 = (((uintptr_t)((int32_t)((uint32_t)L_772>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_774 = ___ekey; int32_t L_775 = V_8; NullCheck(L_774); IL2CPP_ARRAY_BOUNDS_CHECK(L_774, L_775); int32_t L_776 = L_775; NullCheck(L_770); IL2CPP_ARRAY_BOUNDS_CHECK(L_770, 0); (L_770)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_771)->GetAt(static_cast<il2cpp_array_size_t>(L_773)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_774)->GetAt(static_cast<il2cpp_array_size_t>(L_776)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_777 = ___outdata; ByteU5BU5D_t58506160* L_778 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_779 = V_7; NullCheck(L_778); IL2CPP_ARRAY_BOUNDS_CHECK(L_778, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_779>>((int32_t)16))))))); int32_t L_780 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_779>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_781 = ___ekey; int32_t L_782 = V_8; NullCheck(L_781); IL2CPP_ARRAY_BOUNDS_CHECK(L_781, L_782); int32_t L_783 = L_782; NullCheck(L_777); IL2CPP_ARRAY_BOUNDS_CHECK(L_777, 1); (L_777)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_778)->GetAt(static_cast<il2cpp_array_size_t>(L_780)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_781)->GetAt(static_cast<il2cpp_array_size_t>(L_783)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_784 = ___outdata; ByteU5BU5D_t58506160* L_785 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_786 = V_6; NullCheck(L_785); IL2CPP_ARRAY_BOUNDS_CHECK(L_785, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_786>>8)))))); int32_t L_787 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_786>>8))))); UInt32U5BU5D_t2133601851* L_788 = ___ekey; int32_t L_789 = V_8; NullCheck(L_788); IL2CPP_ARRAY_BOUNDS_CHECK(L_788, L_789); int32_t L_790 = L_789; NullCheck(L_784); IL2CPP_ARRAY_BOUNDS_CHECK(L_784, 2); (L_784)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_785)->GetAt(static_cast<il2cpp_array_size_t>(L_787)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_788)->GetAt(static_cast<il2cpp_array_size_t>(L_790)))>>8))))))))))); ByteU5BU5D_t58506160* L_791 = ___outdata; ByteU5BU5D_t58506160* L_792 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_793 = V_5; NullCheck(L_792); IL2CPP_ARRAY_BOUNDS_CHECK(L_792, (((int32_t)((uint8_t)L_793)))); int32_t L_794 = (((int32_t)((uint8_t)L_793))); UInt32U5BU5D_t2133601851* L_795 = ___ekey; int32_t L_796 = V_8; int32_t L_797 = L_796; V_8 = ((int32_t)((int32_t)L_797+(int32_t)1)); NullCheck(L_795); IL2CPP_ARRAY_BOUNDS_CHECK(L_795, L_797); int32_t L_798 = L_797; NullCheck(L_791); IL2CPP_ARRAY_BOUNDS_CHECK(L_791, 3); (L_791)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_792)->GetAt(static_cast<il2cpp_array_size_t>(L_794)))^(int32_t)(((int32_t)((uint8_t)((L_795)->GetAt(static_cast<il2cpp_array_size_t>(L_798)))))))))))); ByteU5BU5D_t58506160* L_799 = ___outdata; ByteU5BU5D_t58506160* L_800 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_801 = V_5; NullCheck(L_800); IL2CPP_ARRAY_BOUNDS_CHECK(L_800, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_801>>((int32_t)24)))))); uintptr_t L_802 = (((uintptr_t)((int32_t)((uint32_t)L_801>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_803 = ___ekey; int32_t L_804 = V_8; NullCheck(L_803); IL2CPP_ARRAY_BOUNDS_CHECK(L_803, L_804); int32_t L_805 = L_804; NullCheck(L_799); IL2CPP_ARRAY_BOUNDS_CHECK(L_799, 4); (L_799)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_800)->GetAt(static_cast<il2cpp_array_size_t>(L_802)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_803)->GetAt(static_cast<il2cpp_array_size_t>(L_805)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_806 = ___outdata; ByteU5BU5D_t58506160* L_807 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_808 = V_4; NullCheck(L_807); IL2CPP_ARRAY_BOUNDS_CHECK(L_807, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_808>>((int32_t)16))))))); int32_t L_809 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_808>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_810 = ___ekey; int32_t L_811 = V_8; NullCheck(L_810); IL2CPP_ARRAY_BOUNDS_CHECK(L_810, L_811); int32_t L_812 = L_811; NullCheck(L_806); IL2CPP_ARRAY_BOUNDS_CHECK(L_806, 5); (L_806)->SetAt(static_cast<il2cpp_array_size_t>(5), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_807)->GetAt(static_cast<il2cpp_array_size_t>(L_809)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_810)->GetAt(static_cast<il2cpp_array_size_t>(L_812)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_813 = ___outdata; ByteU5BU5D_t58506160* L_814 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_815 = V_7; NullCheck(L_814); IL2CPP_ARRAY_BOUNDS_CHECK(L_814, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_815>>8)))))); int32_t L_816 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_815>>8))))); UInt32U5BU5D_t2133601851* L_817 = ___ekey; int32_t L_818 = V_8; NullCheck(L_817); IL2CPP_ARRAY_BOUNDS_CHECK(L_817, L_818); int32_t L_819 = L_818; NullCheck(L_813); IL2CPP_ARRAY_BOUNDS_CHECK(L_813, 6); (L_813)->SetAt(static_cast<il2cpp_array_size_t>(6), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_814)->GetAt(static_cast<il2cpp_array_size_t>(L_816)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_817)->GetAt(static_cast<il2cpp_array_size_t>(L_819)))>>8))))))))))); ByteU5BU5D_t58506160* L_820 = ___outdata; ByteU5BU5D_t58506160* L_821 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_822 = V_6; NullCheck(L_821); IL2CPP_ARRAY_BOUNDS_CHECK(L_821, (((int32_t)((uint8_t)L_822)))); int32_t L_823 = (((int32_t)((uint8_t)L_822))); UInt32U5BU5D_t2133601851* L_824 = ___ekey; int32_t L_825 = V_8; int32_t L_826 = L_825; V_8 = ((int32_t)((int32_t)L_826+(int32_t)1)); NullCheck(L_824); IL2CPP_ARRAY_BOUNDS_CHECK(L_824, L_826); int32_t L_827 = L_826; NullCheck(L_820); IL2CPP_ARRAY_BOUNDS_CHECK(L_820, 7); (L_820)->SetAt(static_cast<il2cpp_array_size_t>(7), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_821)->GetAt(static_cast<il2cpp_array_size_t>(L_823)))^(int32_t)(((int32_t)((uint8_t)((L_824)->GetAt(static_cast<il2cpp_array_size_t>(L_827)))))))))))); ByteU5BU5D_t58506160* L_828 = ___outdata; ByteU5BU5D_t58506160* L_829 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_830 = V_6; NullCheck(L_829); IL2CPP_ARRAY_BOUNDS_CHECK(L_829, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_830>>((int32_t)24)))))); uintptr_t L_831 = (((uintptr_t)((int32_t)((uint32_t)L_830>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_832 = ___ekey; int32_t L_833 = V_8; NullCheck(L_832); IL2CPP_ARRAY_BOUNDS_CHECK(L_832, L_833); int32_t L_834 = L_833; NullCheck(L_828); IL2CPP_ARRAY_BOUNDS_CHECK(L_828, 8); (L_828)->SetAt(static_cast<il2cpp_array_size_t>(8), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_829)->GetAt(static_cast<il2cpp_array_size_t>(L_831)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_832)->GetAt(static_cast<il2cpp_array_size_t>(L_834)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_835 = ___outdata; ByteU5BU5D_t58506160* L_836 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_837 = V_5; NullCheck(L_836); IL2CPP_ARRAY_BOUNDS_CHECK(L_836, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_837>>((int32_t)16))))))); int32_t L_838 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_837>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_839 = ___ekey; int32_t L_840 = V_8; NullCheck(L_839); IL2CPP_ARRAY_BOUNDS_CHECK(L_839, L_840); int32_t L_841 = L_840; NullCheck(L_835); IL2CPP_ARRAY_BOUNDS_CHECK(L_835, ((int32_t)9)); (L_835)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_836)->GetAt(static_cast<il2cpp_array_size_t>(L_838)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_839)->GetAt(static_cast<il2cpp_array_size_t>(L_841)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_842 = ___outdata; ByteU5BU5D_t58506160* L_843 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_844 = V_4; NullCheck(L_843); IL2CPP_ARRAY_BOUNDS_CHECK(L_843, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_844>>8)))))); int32_t L_845 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_844>>8))))); UInt32U5BU5D_t2133601851* L_846 = ___ekey; int32_t L_847 = V_8; NullCheck(L_846); IL2CPP_ARRAY_BOUNDS_CHECK(L_846, L_847); int32_t L_848 = L_847; NullCheck(L_842); IL2CPP_ARRAY_BOUNDS_CHECK(L_842, ((int32_t)10)); (L_842)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)10)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_843)->GetAt(static_cast<il2cpp_array_size_t>(L_845)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_846)->GetAt(static_cast<il2cpp_array_size_t>(L_848)))>>8))))))))))); ByteU5BU5D_t58506160* L_849 = ___outdata; ByteU5BU5D_t58506160* L_850 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_851 = V_7; NullCheck(L_850); IL2CPP_ARRAY_BOUNDS_CHECK(L_850, (((int32_t)((uint8_t)L_851)))); int32_t L_852 = (((int32_t)((uint8_t)L_851))); UInt32U5BU5D_t2133601851* L_853 = ___ekey; int32_t L_854 = V_8; int32_t L_855 = L_854; V_8 = ((int32_t)((int32_t)L_855+(int32_t)1)); NullCheck(L_853); IL2CPP_ARRAY_BOUNDS_CHECK(L_853, L_855); int32_t L_856 = L_855; NullCheck(L_849); IL2CPP_ARRAY_BOUNDS_CHECK(L_849, ((int32_t)11)); (L_849)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)11)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_850)->GetAt(static_cast<il2cpp_array_size_t>(L_852)))^(int32_t)(((int32_t)((uint8_t)((L_853)->GetAt(static_cast<il2cpp_array_size_t>(L_856)))))))))))); ByteU5BU5D_t58506160* L_857 = ___outdata; ByteU5BU5D_t58506160* L_858 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_859 = V_7; NullCheck(L_858); IL2CPP_ARRAY_BOUNDS_CHECK(L_858, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_859>>((int32_t)24)))))); uintptr_t L_860 = (((uintptr_t)((int32_t)((uint32_t)L_859>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_861 = ___ekey; int32_t L_862 = V_8; NullCheck(L_861); IL2CPP_ARRAY_BOUNDS_CHECK(L_861, L_862); int32_t L_863 = L_862; NullCheck(L_857); IL2CPP_ARRAY_BOUNDS_CHECK(L_857, ((int32_t)12)); (L_857)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)12)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_858)->GetAt(static_cast<il2cpp_array_size_t>(L_860)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_861)->GetAt(static_cast<il2cpp_array_size_t>(L_863)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_864 = ___outdata; ByteU5BU5D_t58506160* L_865 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_866 = V_6; NullCheck(L_865); IL2CPP_ARRAY_BOUNDS_CHECK(L_865, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_866>>((int32_t)16))))))); int32_t L_867 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_866>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_868 = ___ekey; int32_t L_869 = V_8; NullCheck(L_868); IL2CPP_ARRAY_BOUNDS_CHECK(L_868, L_869); int32_t L_870 = L_869; NullCheck(L_864); IL2CPP_ARRAY_BOUNDS_CHECK(L_864, ((int32_t)13)); (L_864)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)13)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_865)->GetAt(static_cast<il2cpp_array_size_t>(L_867)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_868)->GetAt(static_cast<il2cpp_array_size_t>(L_870)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_871 = ___outdata; ByteU5BU5D_t58506160* L_872 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_873 = V_5; NullCheck(L_872); IL2CPP_ARRAY_BOUNDS_CHECK(L_872, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_873>>8)))))); int32_t L_874 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_873>>8))))); UInt32U5BU5D_t2133601851* L_875 = ___ekey; int32_t L_876 = V_8; NullCheck(L_875); IL2CPP_ARRAY_BOUNDS_CHECK(L_875, L_876); int32_t L_877 = L_876; NullCheck(L_871); IL2CPP_ARRAY_BOUNDS_CHECK(L_871, ((int32_t)14)); (L_871)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_872)->GetAt(static_cast<il2cpp_array_size_t>(L_874)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_875)->GetAt(static_cast<il2cpp_array_size_t>(L_877)))>>8))))))))))); ByteU5BU5D_t58506160* L_878 = ___outdata; ByteU5BU5D_t58506160* L_879 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_880 = V_4; NullCheck(L_879); IL2CPP_ARRAY_BOUNDS_CHECK(L_879, (((int32_t)((uint8_t)L_880)))); int32_t L_881 = (((int32_t)((uint8_t)L_880))); UInt32U5BU5D_t2133601851* L_882 = ___ekey; int32_t L_883 = V_8; int32_t L_884 = L_883; V_8 = ((int32_t)((int32_t)L_884+(int32_t)1)); NullCheck(L_882); IL2CPP_ARRAY_BOUNDS_CHECK(L_882, L_884); int32_t L_885 = L_884; NullCheck(L_878); IL2CPP_ARRAY_BOUNDS_CHECK(L_878, ((int32_t)15)); (L_878)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_879)->GetAt(static_cast<il2cpp_array_size_t>(L_881)))^(int32_t)(((int32_t)((uint8_t)((L_882)->GetAt(static_cast<il2cpp_array_size_t>(L_885)))))))))))); return; } } // System.Void System.Security.Cryptography.RijndaelTransform::Decrypt192(System.Byte[],System.Byte[],System.UInt32[]) extern TypeInfo* RijndaelTransform_t2468220198_il2cpp_TypeInfo_var; extern const uint32_t RijndaelTransform_Decrypt192_m2999680405_MetadataUsageId; extern "C" void RijndaelTransform_Decrypt192_m2999680405 (RijndaelTransform_t2468220198 * __this, ByteU5BU5D_t58506160* ___indata, ByteU5BU5D_t58506160* ___outdata, UInt32U5BU5D_t2133601851* ___ekey, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelTransform_Decrypt192_m2999680405_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint32_t V_0 = 0; uint32_t V_1 = 0; uint32_t V_2 = 0; uint32_t V_3 = 0; uint32_t V_4 = 0; uint32_t V_5 = 0; uint32_t V_6 = 0; uint32_t V_7 = 0; uint32_t V_8 = 0; uint32_t V_9 = 0; uint32_t V_10 = 0; uint32_t V_11 = 0; int32_t V_12 = 0; { V_12 = ((int32_t)72); ByteU5BU5D_t58506160* L_0 = ___indata; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); int32_t L_1 = 0; ByteU5BU5D_t58506160* L_2 = ___indata; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 1); int32_t L_3 = 1; ByteU5BU5D_t58506160* L_4 = ___indata; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 2); int32_t L_5 = 2; ByteU5BU5D_t58506160* L_6 = ___indata; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 3); int32_t L_7 = 3; UInt32U5BU5D_t2133601851* L_8 = ___ekey; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, 0); int32_t L_9 = 0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_1)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_3)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_5)))<<(int32_t)8))))|(int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))))^(int32_t)((L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_9))))); ByteU5BU5D_t58506160* L_10 = ___indata; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 4); int32_t L_11 = 4; ByteU5BU5D_t58506160* L_12 = ___indata; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, 5); int32_t L_13 = 5; ByteU5BU5D_t58506160* L_14 = ___indata; NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, 6); int32_t L_15 = 6; ByteU5BU5D_t58506160* L_16 = ___indata; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, 7); int32_t L_17 = 7; UInt32U5BU5D_t2133601851* L_18 = ___ekey; NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, 1); int32_t L_19 = 1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_11)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_13)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_15)))<<(int32_t)8))))|(int32_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_17)))))^(int32_t)((L_18)->GetAt(static_cast<il2cpp_array_size_t>(L_19))))); ByteU5BU5D_t58506160* L_20 = ___indata; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, 8); int32_t L_21 = 8; ByteU5BU5D_t58506160* L_22 = ___indata; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, ((int32_t)9)); int32_t L_23 = ((int32_t)9); ByteU5BU5D_t58506160* L_24 = ___indata; NullCheck(L_24); IL2CPP_ARRAY_BOUNDS_CHECK(L_24, ((int32_t)10)); int32_t L_25 = ((int32_t)10); ByteU5BU5D_t58506160* L_26 = ___indata; NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, ((int32_t)11)); int32_t L_27 = ((int32_t)11); UInt32U5BU5D_t2133601851* L_28 = ___ekey; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, 2); int32_t L_29 = 2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_21)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_22)->GetAt(static_cast<il2cpp_array_size_t>(L_23)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_24)->GetAt(static_cast<il2cpp_array_size_t>(L_25)))<<(int32_t)8))))|(int32_t)((L_26)->GetAt(static_cast<il2cpp_array_size_t>(L_27)))))^(int32_t)((L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29))))); ByteU5BU5D_t58506160* L_30 = ___indata; NullCheck(L_30); IL2CPP_ARRAY_BOUNDS_CHECK(L_30, ((int32_t)12)); int32_t L_31 = ((int32_t)12); ByteU5BU5D_t58506160* L_32 = ___indata; NullCheck(L_32); IL2CPP_ARRAY_BOUNDS_CHECK(L_32, ((int32_t)13)); int32_t L_33 = ((int32_t)13); ByteU5BU5D_t58506160* L_34 = ___indata; NullCheck(L_34); IL2CPP_ARRAY_BOUNDS_CHECK(L_34, ((int32_t)14)); int32_t L_35 = ((int32_t)14); ByteU5BU5D_t58506160* L_36 = ___indata; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, ((int32_t)15)); int32_t L_37 = ((int32_t)15); UInt32U5BU5D_t2133601851* L_38 = ___ekey; NullCheck(L_38); IL2CPP_ARRAY_BOUNDS_CHECK(L_38, 3); int32_t L_39 = 3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_30)->GetAt(static_cast<il2cpp_array_size_t>(L_31)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_32)->GetAt(static_cast<il2cpp_array_size_t>(L_33)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_34)->GetAt(static_cast<il2cpp_array_size_t>(L_35)))<<(int32_t)8))))|(int32_t)((L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_37)))))^(int32_t)((L_38)->GetAt(static_cast<il2cpp_array_size_t>(L_39))))); ByteU5BU5D_t58506160* L_40 = ___indata; NullCheck(L_40); IL2CPP_ARRAY_BOUNDS_CHECK(L_40, ((int32_t)16)); int32_t L_41 = ((int32_t)16); ByteU5BU5D_t58506160* L_42 = ___indata; NullCheck(L_42); IL2CPP_ARRAY_BOUNDS_CHECK(L_42, ((int32_t)17)); int32_t L_43 = ((int32_t)17); ByteU5BU5D_t58506160* L_44 = ___indata; NullCheck(L_44); IL2CPP_ARRAY_BOUNDS_CHECK(L_44, ((int32_t)18)); int32_t L_45 = ((int32_t)18); ByteU5BU5D_t58506160* L_46 = ___indata; NullCheck(L_46); IL2CPP_ARRAY_BOUNDS_CHECK(L_46, ((int32_t)19)); int32_t L_47 = ((int32_t)19); UInt32U5BU5D_t2133601851* L_48 = ___ekey; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, 4); int32_t L_49 = 4; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_40)->GetAt(static_cast<il2cpp_array_size_t>(L_41)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_42)->GetAt(static_cast<il2cpp_array_size_t>(L_43)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_44)->GetAt(static_cast<il2cpp_array_size_t>(L_45)))<<(int32_t)8))))|(int32_t)((L_46)->GetAt(static_cast<il2cpp_array_size_t>(L_47)))))^(int32_t)((L_48)->GetAt(static_cast<il2cpp_array_size_t>(L_49))))); ByteU5BU5D_t58506160* L_50 = ___indata; NullCheck(L_50); IL2CPP_ARRAY_BOUNDS_CHECK(L_50, ((int32_t)20)); int32_t L_51 = ((int32_t)20); ByteU5BU5D_t58506160* L_52 = ___indata; NullCheck(L_52); IL2CPP_ARRAY_BOUNDS_CHECK(L_52, ((int32_t)21)); int32_t L_53 = ((int32_t)21); ByteU5BU5D_t58506160* L_54 = ___indata; NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, ((int32_t)22)); int32_t L_55 = ((int32_t)22); ByteU5BU5D_t58506160* L_56 = ___indata; NullCheck(L_56); IL2CPP_ARRAY_BOUNDS_CHECK(L_56, ((int32_t)23)); int32_t L_57 = ((int32_t)23); UInt32U5BU5D_t2133601851* L_58 = ___ekey; NullCheck(L_58); IL2CPP_ARRAY_BOUNDS_CHECK(L_58, 5); int32_t L_59 = 5; V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_50)->GetAt(static_cast<il2cpp_array_size_t>(L_51)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_52)->GetAt(static_cast<il2cpp_array_size_t>(L_53)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_55)))<<(int32_t)8))))|(int32_t)((L_56)->GetAt(static_cast<il2cpp_array_size_t>(L_57)))))^(int32_t)((L_58)->GetAt(static_cast<il2cpp_array_size_t>(L_59))))); IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_60 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_61 = V_0; NullCheck(L_60); IL2CPP_ARRAY_BOUNDS_CHECK(L_60, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_61>>((int32_t)24)))))); uintptr_t L_62 = (((uintptr_t)((int32_t)((uint32_t)L_61>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_63 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_64 = V_5; NullCheck(L_63); IL2CPP_ARRAY_BOUNDS_CHECK(L_63, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_64>>((int32_t)16))))))); int32_t L_65 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_64>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_66 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_67 = V_4; NullCheck(L_66); IL2CPP_ARRAY_BOUNDS_CHECK(L_66, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_67>>8)))))); int32_t L_68 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_67>>8))))); UInt32U5BU5D_t2133601851* L_69 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_70 = V_3; NullCheck(L_69); IL2CPP_ARRAY_BOUNDS_CHECK(L_69, (((int32_t)((uint8_t)L_70)))); int32_t L_71 = (((int32_t)((uint8_t)L_70))); UInt32U5BU5D_t2133601851* L_72 = ___ekey; NullCheck(L_72); IL2CPP_ARRAY_BOUNDS_CHECK(L_72, 6); int32_t L_73 = 6; V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_60)->GetAt(static_cast<il2cpp_array_size_t>(L_62)))^(int32_t)((L_63)->GetAt(static_cast<il2cpp_array_size_t>(L_65)))))^(int32_t)((L_66)->GetAt(static_cast<il2cpp_array_size_t>(L_68)))))^(int32_t)((L_69)->GetAt(static_cast<il2cpp_array_size_t>(L_71)))))^(int32_t)((L_72)->GetAt(static_cast<il2cpp_array_size_t>(L_73))))); UInt32U5BU5D_t2133601851* L_74 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_75 = V_1; NullCheck(L_74); IL2CPP_ARRAY_BOUNDS_CHECK(L_74, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_75>>((int32_t)24)))))); uintptr_t L_76 = (((uintptr_t)((int32_t)((uint32_t)L_75>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_77 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_78 = V_0; NullCheck(L_77); IL2CPP_ARRAY_BOUNDS_CHECK(L_77, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_78>>((int32_t)16))))))); int32_t L_79 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_78>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_80 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_81 = V_5; NullCheck(L_80); IL2CPP_ARRAY_BOUNDS_CHECK(L_80, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_81>>8)))))); int32_t L_82 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_81>>8))))); UInt32U5BU5D_t2133601851* L_83 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_84 = V_4; NullCheck(L_83); IL2CPP_ARRAY_BOUNDS_CHECK(L_83, (((int32_t)((uint8_t)L_84)))); int32_t L_85 = (((int32_t)((uint8_t)L_84))); UInt32U5BU5D_t2133601851* L_86 = ___ekey; NullCheck(L_86); IL2CPP_ARRAY_BOUNDS_CHECK(L_86, 7); int32_t L_87 = 7; V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_74)->GetAt(static_cast<il2cpp_array_size_t>(L_76)))^(int32_t)((L_77)->GetAt(static_cast<il2cpp_array_size_t>(L_79)))))^(int32_t)((L_80)->GetAt(static_cast<il2cpp_array_size_t>(L_82)))))^(int32_t)((L_83)->GetAt(static_cast<il2cpp_array_size_t>(L_85)))))^(int32_t)((L_86)->GetAt(static_cast<il2cpp_array_size_t>(L_87))))); UInt32U5BU5D_t2133601851* L_88 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_89 = V_2; NullCheck(L_88); IL2CPP_ARRAY_BOUNDS_CHECK(L_88, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_89>>((int32_t)24)))))); uintptr_t L_90 = (((uintptr_t)((int32_t)((uint32_t)L_89>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_91 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_92 = V_1; NullCheck(L_91); IL2CPP_ARRAY_BOUNDS_CHECK(L_91, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_92>>((int32_t)16))))))); int32_t L_93 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_92>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_94 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_95 = V_0; NullCheck(L_94); IL2CPP_ARRAY_BOUNDS_CHECK(L_94, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_95>>8)))))); int32_t L_96 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_95>>8))))); UInt32U5BU5D_t2133601851* L_97 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_98 = V_5; NullCheck(L_97); IL2CPP_ARRAY_BOUNDS_CHECK(L_97, (((int32_t)((uint8_t)L_98)))); int32_t L_99 = (((int32_t)((uint8_t)L_98))); UInt32U5BU5D_t2133601851* L_100 = ___ekey; NullCheck(L_100); IL2CPP_ARRAY_BOUNDS_CHECK(L_100, 8); int32_t L_101 = 8; V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_88)->GetAt(static_cast<il2cpp_array_size_t>(L_90)))^(int32_t)((L_91)->GetAt(static_cast<il2cpp_array_size_t>(L_93)))))^(int32_t)((L_94)->GetAt(static_cast<il2cpp_array_size_t>(L_96)))))^(int32_t)((L_97)->GetAt(static_cast<il2cpp_array_size_t>(L_99)))))^(int32_t)((L_100)->GetAt(static_cast<il2cpp_array_size_t>(L_101))))); UInt32U5BU5D_t2133601851* L_102 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_103 = V_3; NullCheck(L_102); IL2CPP_ARRAY_BOUNDS_CHECK(L_102, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_103>>((int32_t)24)))))); uintptr_t L_104 = (((uintptr_t)((int32_t)((uint32_t)L_103>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_105 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_106 = V_2; NullCheck(L_105); IL2CPP_ARRAY_BOUNDS_CHECK(L_105, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_106>>((int32_t)16))))))); int32_t L_107 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_106>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_108 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_109 = V_1; NullCheck(L_108); IL2CPP_ARRAY_BOUNDS_CHECK(L_108, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_109>>8)))))); int32_t L_110 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_109>>8))))); UInt32U5BU5D_t2133601851* L_111 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_112 = V_0; NullCheck(L_111); IL2CPP_ARRAY_BOUNDS_CHECK(L_111, (((int32_t)((uint8_t)L_112)))); int32_t L_113 = (((int32_t)((uint8_t)L_112))); UInt32U5BU5D_t2133601851* L_114 = ___ekey; NullCheck(L_114); IL2CPP_ARRAY_BOUNDS_CHECK(L_114, ((int32_t)9)); int32_t L_115 = ((int32_t)9); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_102)->GetAt(static_cast<il2cpp_array_size_t>(L_104)))^(int32_t)((L_105)->GetAt(static_cast<il2cpp_array_size_t>(L_107)))))^(int32_t)((L_108)->GetAt(static_cast<il2cpp_array_size_t>(L_110)))))^(int32_t)((L_111)->GetAt(static_cast<il2cpp_array_size_t>(L_113)))))^(int32_t)((L_114)->GetAt(static_cast<il2cpp_array_size_t>(L_115))))); UInt32U5BU5D_t2133601851* L_116 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_117 = V_4; NullCheck(L_116); IL2CPP_ARRAY_BOUNDS_CHECK(L_116, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_117>>((int32_t)24)))))); uintptr_t L_118 = (((uintptr_t)((int32_t)((uint32_t)L_117>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_119 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_120 = V_3; NullCheck(L_119); IL2CPP_ARRAY_BOUNDS_CHECK(L_119, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_120>>((int32_t)16))))))); int32_t L_121 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_120>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_122 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_123 = V_2; NullCheck(L_122); IL2CPP_ARRAY_BOUNDS_CHECK(L_122, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_123>>8)))))); int32_t L_124 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_123>>8))))); UInt32U5BU5D_t2133601851* L_125 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_126 = V_1; NullCheck(L_125); IL2CPP_ARRAY_BOUNDS_CHECK(L_125, (((int32_t)((uint8_t)L_126)))); int32_t L_127 = (((int32_t)((uint8_t)L_126))); UInt32U5BU5D_t2133601851* L_128 = ___ekey; NullCheck(L_128); IL2CPP_ARRAY_BOUNDS_CHECK(L_128, ((int32_t)10)); int32_t L_129 = ((int32_t)10); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_116)->GetAt(static_cast<il2cpp_array_size_t>(L_118)))^(int32_t)((L_119)->GetAt(static_cast<il2cpp_array_size_t>(L_121)))))^(int32_t)((L_122)->GetAt(static_cast<il2cpp_array_size_t>(L_124)))))^(int32_t)((L_125)->GetAt(static_cast<il2cpp_array_size_t>(L_127)))))^(int32_t)((L_128)->GetAt(static_cast<il2cpp_array_size_t>(L_129))))); UInt32U5BU5D_t2133601851* L_130 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_131 = V_5; NullCheck(L_130); IL2CPP_ARRAY_BOUNDS_CHECK(L_130, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_131>>((int32_t)24)))))); uintptr_t L_132 = (((uintptr_t)((int32_t)((uint32_t)L_131>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_133 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_134 = V_4; NullCheck(L_133); IL2CPP_ARRAY_BOUNDS_CHECK(L_133, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_134>>((int32_t)16))))))); int32_t L_135 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_134>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_136 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_137 = V_3; NullCheck(L_136); IL2CPP_ARRAY_BOUNDS_CHECK(L_136, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_137>>8)))))); int32_t L_138 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_137>>8))))); UInt32U5BU5D_t2133601851* L_139 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_140 = V_2; NullCheck(L_139); IL2CPP_ARRAY_BOUNDS_CHECK(L_139, (((int32_t)((uint8_t)L_140)))); int32_t L_141 = (((int32_t)((uint8_t)L_140))); UInt32U5BU5D_t2133601851* L_142 = ___ekey; NullCheck(L_142); IL2CPP_ARRAY_BOUNDS_CHECK(L_142, ((int32_t)11)); int32_t L_143 = ((int32_t)11); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_130)->GetAt(static_cast<il2cpp_array_size_t>(L_132)))^(int32_t)((L_133)->GetAt(static_cast<il2cpp_array_size_t>(L_135)))))^(int32_t)((L_136)->GetAt(static_cast<il2cpp_array_size_t>(L_138)))))^(int32_t)((L_139)->GetAt(static_cast<il2cpp_array_size_t>(L_141)))))^(int32_t)((L_142)->GetAt(static_cast<il2cpp_array_size_t>(L_143))))); UInt32U5BU5D_t2133601851* L_144 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_145 = V_6; NullCheck(L_144); IL2CPP_ARRAY_BOUNDS_CHECK(L_144, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_145>>((int32_t)24)))))); uintptr_t L_146 = (((uintptr_t)((int32_t)((uint32_t)L_145>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_147 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_148 = V_11; NullCheck(L_147); IL2CPP_ARRAY_BOUNDS_CHECK(L_147, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_148>>((int32_t)16))))))); int32_t L_149 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_148>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_150 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_151 = V_10; NullCheck(L_150); IL2CPP_ARRAY_BOUNDS_CHECK(L_150, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_151>>8)))))); int32_t L_152 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_151>>8))))); UInt32U5BU5D_t2133601851* L_153 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_154 = V_9; NullCheck(L_153); IL2CPP_ARRAY_BOUNDS_CHECK(L_153, (((int32_t)((uint8_t)L_154)))); int32_t L_155 = (((int32_t)((uint8_t)L_154))); UInt32U5BU5D_t2133601851* L_156 = ___ekey; NullCheck(L_156); IL2CPP_ARRAY_BOUNDS_CHECK(L_156, ((int32_t)12)); int32_t L_157 = ((int32_t)12); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_144)->GetAt(static_cast<il2cpp_array_size_t>(L_146)))^(int32_t)((L_147)->GetAt(static_cast<il2cpp_array_size_t>(L_149)))))^(int32_t)((L_150)->GetAt(static_cast<il2cpp_array_size_t>(L_152)))))^(int32_t)((L_153)->GetAt(static_cast<il2cpp_array_size_t>(L_155)))))^(int32_t)((L_156)->GetAt(static_cast<il2cpp_array_size_t>(L_157))))); UInt32U5BU5D_t2133601851* L_158 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_159 = V_7; NullCheck(L_158); IL2CPP_ARRAY_BOUNDS_CHECK(L_158, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_159>>((int32_t)24)))))); uintptr_t L_160 = (((uintptr_t)((int32_t)((uint32_t)L_159>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_161 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_162 = V_6; NullCheck(L_161); IL2CPP_ARRAY_BOUNDS_CHECK(L_161, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_162>>((int32_t)16))))))); int32_t L_163 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_162>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_164 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_165 = V_11; NullCheck(L_164); IL2CPP_ARRAY_BOUNDS_CHECK(L_164, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_165>>8)))))); int32_t L_166 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_165>>8))))); UInt32U5BU5D_t2133601851* L_167 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_168 = V_10; NullCheck(L_167); IL2CPP_ARRAY_BOUNDS_CHECK(L_167, (((int32_t)((uint8_t)L_168)))); int32_t L_169 = (((int32_t)((uint8_t)L_168))); UInt32U5BU5D_t2133601851* L_170 = ___ekey; NullCheck(L_170); IL2CPP_ARRAY_BOUNDS_CHECK(L_170, ((int32_t)13)); int32_t L_171 = ((int32_t)13); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_158)->GetAt(static_cast<il2cpp_array_size_t>(L_160)))^(int32_t)((L_161)->GetAt(static_cast<il2cpp_array_size_t>(L_163)))))^(int32_t)((L_164)->GetAt(static_cast<il2cpp_array_size_t>(L_166)))))^(int32_t)((L_167)->GetAt(static_cast<il2cpp_array_size_t>(L_169)))))^(int32_t)((L_170)->GetAt(static_cast<il2cpp_array_size_t>(L_171))))); UInt32U5BU5D_t2133601851* L_172 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_173 = V_8; NullCheck(L_172); IL2CPP_ARRAY_BOUNDS_CHECK(L_172, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_173>>((int32_t)24)))))); uintptr_t L_174 = (((uintptr_t)((int32_t)((uint32_t)L_173>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_175 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_176 = V_7; NullCheck(L_175); IL2CPP_ARRAY_BOUNDS_CHECK(L_175, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_176>>((int32_t)16))))))); int32_t L_177 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_176>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_178 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_179 = V_6; NullCheck(L_178); IL2CPP_ARRAY_BOUNDS_CHECK(L_178, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_179>>8)))))); int32_t L_180 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_179>>8))))); UInt32U5BU5D_t2133601851* L_181 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_182 = V_11; NullCheck(L_181); IL2CPP_ARRAY_BOUNDS_CHECK(L_181, (((int32_t)((uint8_t)L_182)))); int32_t L_183 = (((int32_t)((uint8_t)L_182))); UInt32U5BU5D_t2133601851* L_184 = ___ekey; NullCheck(L_184); IL2CPP_ARRAY_BOUNDS_CHECK(L_184, ((int32_t)14)); int32_t L_185 = ((int32_t)14); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_172)->GetAt(static_cast<il2cpp_array_size_t>(L_174)))^(int32_t)((L_175)->GetAt(static_cast<il2cpp_array_size_t>(L_177)))))^(int32_t)((L_178)->GetAt(static_cast<il2cpp_array_size_t>(L_180)))))^(int32_t)((L_181)->GetAt(static_cast<il2cpp_array_size_t>(L_183)))))^(int32_t)((L_184)->GetAt(static_cast<il2cpp_array_size_t>(L_185))))); UInt32U5BU5D_t2133601851* L_186 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_187 = V_9; NullCheck(L_186); IL2CPP_ARRAY_BOUNDS_CHECK(L_186, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_187>>((int32_t)24)))))); uintptr_t L_188 = (((uintptr_t)((int32_t)((uint32_t)L_187>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_189 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_190 = V_8; NullCheck(L_189); IL2CPP_ARRAY_BOUNDS_CHECK(L_189, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_190>>((int32_t)16))))))); int32_t L_191 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_190>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_192 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_193 = V_7; NullCheck(L_192); IL2CPP_ARRAY_BOUNDS_CHECK(L_192, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_193>>8)))))); int32_t L_194 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_193>>8))))); UInt32U5BU5D_t2133601851* L_195 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_196 = V_6; NullCheck(L_195); IL2CPP_ARRAY_BOUNDS_CHECK(L_195, (((int32_t)((uint8_t)L_196)))); int32_t L_197 = (((int32_t)((uint8_t)L_196))); UInt32U5BU5D_t2133601851* L_198 = ___ekey; NullCheck(L_198); IL2CPP_ARRAY_BOUNDS_CHECK(L_198, ((int32_t)15)); int32_t L_199 = ((int32_t)15); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_186)->GetAt(static_cast<il2cpp_array_size_t>(L_188)))^(int32_t)((L_189)->GetAt(static_cast<il2cpp_array_size_t>(L_191)))))^(int32_t)((L_192)->GetAt(static_cast<il2cpp_array_size_t>(L_194)))))^(int32_t)((L_195)->GetAt(static_cast<il2cpp_array_size_t>(L_197)))))^(int32_t)((L_198)->GetAt(static_cast<il2cpp_array_size_t>(L_199))))); UInt32U5BU5D_t2133601851* L_200 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_201 = V_10; NullCheck(L_200); IL2CPP_ARRAY_BOUNDS_CHECK(L_200, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_201>>((int32_t)24)))))); uintptr_t L_202 = (((uintptr_t)((int32_t)((uint32_t)L_201>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_203 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_204 = V_9; NullCheck(L_203); IL2CPP_ARRAY_BOUNDS_CHECK(L_203, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_204>>((int32_t)16))))))); int32_t L_205 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_204>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_206 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_207 = V_8; NullCheck(L_206); IL2CPP_ARRAY_BOUNDS_CHECK(L_206, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_207>>8)))))); int32_t L_208 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_207>>8))))); UInt32U5BU5D_t2133601851* L_209 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_210 = V_7; NullCheck(L_209); IL2CPP_ARRAY_BOUNDS_CHECK(L_209, (((int32_t)((uint8_t)L_210)))); int32_t L_211 = (((int32_t)((uint8_t)L_210))); UInt32U5BU5D_t2133601851* L_212 = ___ekey; NullCheck(L_212); IL2CPP_ARRAY_BOUNDS_CHECK(L_212, ((int32_t)16)); int32_t L_213 = ((int32_t)16); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_200)->GetAt(static_cast<il2cpp_array_size_t>(L_202)))^(int32_t)((L_203)->GetAt(static_cast<il2cpp_array_size_t>(L_205)))))^(int32_t)((L_206)->GetAt(static_cast<il2cpp_array_size_t>(L_208)))))^(int32_t)((L_209)->GetAt(static_cast<il2cpp_array_size_t>(L_211)))))^(int32_t)((L_212)->GetAt(static_cast<il2cpp_array_size_t>(L_213))))); UInt32U5BU5D_t2133601851* L_214 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_215 = V_11; NullCheck(L_214); IL2CPP_ARRAY_BOUNDS_CHECK(L_214, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_215>>((int32_t)24)))))); uintptr_t L_216 = (((uintptr_t)((int32_t)((uint32_t)L_215>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_217 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_218 = V_10; NullCheck(L_217); IL2CPP_ARRAY_BOUNDS_CHECK(L_217, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_218>>((int32_t)16))))))); int32_t L_219 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_218>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_220 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_221 = V_9; NullCheck(L_220); IL2CPP_ARRAY_BOUNDS_CHECK(L_220, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_221>>8)))))); int32_t L_222 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_221>>8))))); UInt32U5BU5D_t2133601851* L_223 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_224 = V_8; NullCheck(L_223); IL2CPP_ARRAY_BOUNDS_CHECK(L_223, (((int32_t)((uint8_t)L_224)))); int32_t L_225 = (((int32_t)((uint8_t)L_224))); UInt32U5BU5D_t2133601851* L_226 = ___ekey; NullCheck(L_226); IL2CPP_ARRAY_BOUNDS_CHECK(L_226, ((int32_t)17)); int32_t L_227 = ((int32_t)17); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_214)->GetAt(static_cast<il2cpp_array_size_t>(L_216)))^(int32_t)((L_217)->GetAt(static_cast<il2cpp_array_size_t>(L_219)))))^(int32_t)((L_220)->GetAt(static_cast<il2cpp_array_size_t>(L_222)))))^(int32_t)((L_223)->GetAt(static_cast<il2cpp_array_size_t>(L_225)))))^(int32_t)((L_226)->GetAt(static_cast<il2cpp_array_size_t>(L_227))))); UInt32U5BU5D_t2133601851* L_228 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_229 = V_0; NullCheck(L_228); IL2CPP_ARRAY_BOUNDS_CHECK(L_228, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_229>>((int32_t)24)))))); uintptr_t L_230 = (((uintptr_t)((int32_t)((uint32_t)L_229>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_231 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_232 = V_5; NullCheck(L_231); IL2CPP_ARRAY_BOUNDS_CHECK(L_231, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_232>>((int32_t)16))))))); int32_t L_233 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_232>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_234 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_235 = V_4; NullCheck(L_234); IL2CPP_ARRAY_BOUNDS_CHECK(L_234, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_235>>8)))))); int32_t L_236 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_235>>8))))); UInt32U5BU5D_t2133601851* L_237 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_238 = V_3; NullCheck(L_237); IL2CPP_ARRAY_BOUNDS_CHECK(L_237, (((int32_t)((uint8_t)L_238)))); int32_t L_239 = (((int32_t)((uint8_t)L_238))); UInt32U5BU5D_t2133601851* L_240 = ___ekey; NullCheck(L_240); IL2CPP_ARRAY_BOUNDS_CHECK(L_240, ((int32_t)18)); int32_t L_241 = ((int32_t)18); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_228)->GetAt(static_cast<il2cpp_array_size_t>(L_230)))^(int32_t)((L_231)->GetAt(static_cast<il2cpp_array_size_t>(L_233)))))^(int32_t)((L_234)->GetAt(static_cast<il2cpp_array_size_t>(L_236)))))^(int32_t)((L_237)->GetAt(static_cast<il2cpp_array_size_t>(L_239)))))^(int32_t)((L_240)->GetAt(static_cast<il2cpp_array_size_t>(L_241))))); UInt32U5BU5D_t2133601851* L_242 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_243 = V_1; NullCheck(L_242); IL2CPP_ARRAY_BOUNDS_CHECK(L_242, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_243>>((int32_t)24)))))); uintptr_t L_244 = (((uintptr_t)((int32_t)((uint32_t)L_243>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_245 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_246 = V_0; NullCheck(L_245); IL2CPP_ARRAY_BOUNDS_CHECK(L_245, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_246>>((int32_t)16))))))); int32_t L_247 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_246>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_248 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_249 = V_5; NullCheck(L_248); IL2CPP_ARRAY_BOUNDS_CHECK(L_248, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_249>>8)))))); int32_t L_250 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_249>>8))))); UInt32U5BU5D_t2133601851* L_251 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_252 = V_4; NullCheck(L_251); IL2CPP_ARRAY_BOUNDS_CHECK(L_251, (((int32_t)((uint8_t)L_252)))); int32_t L_253 = (((int32_t)((uint8_t)L_252))); UInt32U5BU5D_t2133601851* L_254 = ___ekey; NullCheck(L_254); IL2CPP_ARRAY_BOUNDS_CHECK(L_254, ((int32_t)19)); int32_t L_255 = ((int32_t)19); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_242)->GetAt(static_cast<il2cpp_array_size_t>(L_244)))^(int32_t)((L_245)->GetAt(static_cast<il2cpp_array_size_t>(L_247)))))^(int32_t)((L_248)->GetAt(static_cast<il2cpp_array_size_t>(L_250)))))^(int32_t)((L_251)->GetAt(static_cast<il2cpp_array_size_t>(L_253)))))^(int32_t)((L_254)->GetAt(static_cast<il2cpp_array_size_t>(L_255))))); UInt32U5BU5D_t2133601851* L_256 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_257 = V_2; NullCheck(L_256); IL2CPP_ARRAY_BOUNDS_CHECK(L_256, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_257>>((int32_t)24)))))); uintptr_t L_258 = (((uintptr_t)((int32_t)((uint32_t)L_257>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_259 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_260 = V_1; NullCheck(L_259); IL2CPP_ARRAY_BOUNDS_CHECK(L_259, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_260>>((int32_t)16))))))); int32_t L_261 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_260>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_262 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_263 = V_0; NullCheck(L_262); IL2CPP_ARRAY_BOUNDS_CHECK(L_262, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_263>>8)))))); int32_t L_264 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_263>>8))))); UInt32U5BU5D_t2133601851* L_265 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_266 = V_5; NullCheck(L_265); IL2CPP_ARRAY_BOUNDS_CHECK(L_265, (((int32_t)((uint8_t)L_266)))); int32_t L_267 = (((int32_t)((uint8_t)L_266))); UInt32U5BU5D_t2133601851* L_268 = ___ekey; NullCheck(L_268); IL2CPP_ARRAY_BOUNDS_CHECK(L_268, ((int32_t)20)); int32_t L_269 = ((int32_t)20); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_256)->GetAt(static_cast<il2cpp_array_size_t>(L_258)))^(int32_t)((L_259)->GetAt(static_cast<il2cpp_array_size_t>(L_261)))))^(int32_t)((L_262)->GetAt(static_cast<il2cpp_array_size_t>(L_264)))))^(int32_t)((L_265)->GetAt(static_cast<il2cpp_array_size_t>(L_267)))))^(int32_t)((L_268)->GetAt(static_cast<il2cpp_array_size_t>(L_269))))); UInt32U5BU5D_t2133601851* L_270 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_271 = V_3; NullCheck(L_270); IL2CPP_ARRAY_BOUNDS_CHECK(L_270, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_271>>((int32_t)24)))))); uintptr_t L_272 = (((uintptr_t)((int32_t)((uint32_t)L_271>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_273 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_274 = V_2; NullCheck(L_273); IL2CPP_ARRAY_BOUNDS_CHECK(L_273, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_274>>((int32_t)16))))))); int32_t L_275 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_274>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_276 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_277 = V_1; NullCheck(L_276); IL2CPP_ARRAY_BOUNDS_CHECK(L_276, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_277>>8)))))); int32_t L_278 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_277>>8))))); UInt32U5BU5D_t2133601851* L_279 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_280 = V_0; NullCheck(L_279); IL2CPP_ARRAY_BOUNDS_CHECK(L_279, (((int32_t)((uint8_t)L_280)))); int32_t L_281 = (((int32_t)((uint8_t)L_280))); UInt32U5BU5D_t2133601851* L_282 = ___ekey; NullCheck(L_282); IL2CPP_ARRAY_BOUNDS_CHECK(L_282, ((int32_t)21)); int32_t L_283 = ((int32_t)21); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_270)->GetAt(static_cast<il2cpp_array_size_t>(L_272)))^(int32_t)((L_273)->GetAt(static_cast<il2cpp_array_size_t>(L_275)))))^(int32_t)((L_276)->GetAt(static_cast<il2cpp_array_size_t>(L_278)))))^(int32_t)((L_279)->GetAt(static_cast<il2cpp_array_size_t>(L_281)))))^(int32_t)((L_282)->GetAt(static_cast<il2cpp_array_size_t>(L_283))))); UInt32U5BU5D_t2133601851* L_284 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_285 = V_4; NullCheck(L_284); IL2CPP_ARRAY_BOUNDS_CHECK(L_284, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_285>>((int32_t)24)))))); uintptr_t L_286 = (((uintptr_t)((int32_t)((uint32_t)L_285>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_287 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_288 = V_3; NullCheck(L_287); IL2CPP_ARRAY_BOUNDS_CHECK(L_287, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_288>>((int32_t)16))))))); int32_t L_289 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_288>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_290 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_291 = V_2; NullCheck(L_290); IL2CPP_ARRAY_BOUNDS_CHECK(L_290, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_291>>8)))))); int32_t L_292 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_291>>8))))); UInt32U5BU5D_t2133601851* L_293 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_294 = V_1; NullCheck(L_293); IL2CPP_ARRAY_BOUNDS_CHECK(L_293, (((int32_t)((uint8_t)L_294)))); int32_t L_295 = (((int32_t)((uint8_t)L_294))); UInt32U5BU5D_t2133601851* L_296 = ___ekey; NullCheck(L_296); IL2CPP_ARRAY_BOUNDS_CHECK(L_296, ((int32_t)22)); int32_t L_297 = ((int32_t)22); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_284)->GetAt(static_cast<il2cpp_array_size_t>(L_286)))^(int32_t)((L_287)->GetAt(static_cast<il2cpp_array_size_t>(L_289)))))^(int32_t)((L_290)->GetAt(static_cast<il2cpp_array_size_t>(L_292)))))^(int32_t)((L_293)->GetAt(static_cast<il2cpp_array_size_t>(L_295)))))^(int32_t)((L_296)->GetAt(static_cast<il2cpp_array_size_t>(L_297))))); UInt32U5BU5D_t2133601851* L_298 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_299 = V_5; NullCheck(L_298); IL2CPP_ARRAY_BOUNDS_CHECK(L_298, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_299>>((int32_t)24)))))); uintptr_t L_300 = (((uintptr_t)((int32_t)((uint32_t)L_299>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_301 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_302 = V_4; NullCheck(L_301); IL2CPP_ARRAY_BOUNDS_CHECK(L_301, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_302>>((int32_t)16))))))); int32_t L_303 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_302>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_304 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_305 = V_3; NullCheck(L_304); IL2CPP_ARRAY_BOUNDS_CHECK(L_304, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_305>>8)))))); int32_t L_306 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_305>>8))))); UInt32U5BU5D_t2133601851* L_307 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_308 = V_2; NullCheck(L_307); IL2CPP_ARRAY_BOUNDS_CHECK(L_307, (((int32_t)((uint8_t)L_308)))); int32_t L_309 = (((int32_t)((uint8_t)L_308))); UInt32U5BU5D_t2133601851* L_310 = ___ekey; NullCheck(L_310); IL2CPP_ARRAY_BOUNDS_CHECK(L_310, ((int32_t)23)); int32_t L_311 = ((int32_t)23); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_298)->GetAt(static_cast<il2cpp_array_size_t>(L_300)))^(int32_t)((L_301)->GetAt(static_cast<il2cpp_array_size_t>(L_303)))))^(int32_t)((L_304)->GetAt(static_cast<il2cpp_array_size_t>(L_306)))))^(int32_t)((L_307)->GetAt(static_cast<il2cpp_array_size_t>(L_309)))))^(int32_t)((L_310)->GetAt(static_cast<il2cpp_array_size_t>(L_311))))); UInt32U5BU5D_t2133601851* L_312 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_313 = V_6; NullCheck(L_312); IL2CPP_ARRAY_BOUNDS_CHECK(L_312, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_313>>((int32_t)24)))))); uintptr_t L_314 = (((uintptr_t)((int32_t)((uint32_t)L_313>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_315 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_316 = V_11; NullCheck(L_315); IL2CPP_ARRAY_BOUNDS_CHECK(L_315, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_316>>((int32_t)16))))))); int32_t L_317 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_316>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_318 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_319 = V_10; NullCheck(L_318); IL2CPP_ARRAY_BOUNDS_CHECK(L_318, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_319>>8)))))); int32_t L_320 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_319>>8))))); UInt32U5BU5D_t2133601851* L_321 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_322 = V_9; NullCheck(L_321); IL2CPP_ARRAY_BOUNDS_CHECK(L_321, (((int32_t)((uint8_t)L_322)))); int32_t L_323 = (((int32_t)((uint8_t)L_322))); UInt32U5BU5D_t2133601851* L_324 = ___ekey; NullCheck(L_324); IL2CPP_ARRAY_BOUNDS_CHECK(L_324, ((int32_t)24)); int32_t L_325 = ((int32_t)24); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_312)->GetAt(static_cast<il2cpp_array_size_t>(L_314)))^(int32_t)((L_315)->GetAt(static_cast<il2cpp_array_size_t>(L_317)))))^(int32_t)((L_318)->GetAt(static_cast<il2cpp_array_size_t>(L_320)))))^(int32_t)((L_321)->GetAt(static_cast<il2cpp_array_size_t>(L_323)))))^(int32_t)((L_324)->GetAt(static_cast<il2cpp_array_size_t>(L_325))))); UInt32U5BU5D_t2133601851* L_326 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_327 = V_7; NullCheck(L_326); IL2CPP_ARRAY_BOUNDS_CHECK(L_326, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_327>>((int32_t)24)))))); uintptr_t L_328 = (((uintptr_t)((int32_t)((uint32_t)L_327>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_329 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_330 = V_6; NullCheck(L_329); IL2CPP_ARRAY_BOUNDS_CHECK(L_329, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_330>>((int32_t)16))))))); int32_t L_331 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_330>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_332 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_333 = V_11; NullCheck(L_332); IL2CPP_ARRAY_BOUNDS_CHECK(L_332, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_333>>8)))))); int32_t L_334 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_333>>8))))); UInt32U5BU5D_t2133601851* L_335 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_336 = V_10; NullCheck(L_335); IL2CPP_ARRAY_BOUNDS_CHECK(L_335, (((int32_t)((uint8_t)L_336)))); int32_t L_337 = (((int32_t)((uint8_t)L_336))); UInt32U5BU5D_t2133601851* L_338 = ___ekey; NullCheck(L_338); IL2CPP_ARRAY_BOUNDS_CHECK(L_338, ((int32_t)25)); int32_t L_339 = ((int32_t)25); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_326)->GetAt(static_cast<il2cpp_array_size_t>(L_328)))^(int32_t)((L_329)->GetAt(static_cast<il2cpp_array_size_t>(L_331)))))^(int32_t)((L_332)->GetAt(static_cast<il2cpp_array_size_t>(L_334)))))^(int32_t)((L_335)->GetAt(static_cast<il2cpp_array_size_t>(L_337)))))^(int32_t)((L_338)->GetAt(static_cast<il2cpp_array_size_t>(L_339))))); UInt32U5BU5D_t2133601851* L_340 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_341 = V_8; NullCheck(L_340); IL2CPP_ARRAY_BOUNDS_CHECK(L_340, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_341>>((int32_t)24)))))); uintptr_t L_342 = (((uintptr_t)((int32_t)((uint32_t)L_341>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_343 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_344 = V_7; NullCheck(L_343); IL2CPP_ARRAY_BOUNDS_CHECK(L_343, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_344>>((int32_t)16))))))); int32_t L_345 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_344>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_346 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_347 = V_6; NullCheck(L_346); IL2CPP_ARRAY_BOUNDS_CHECK(L_346, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_347>>8)))))); int32_t L_348 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_347>>8))))); UInt32U5BU5D_t2133601851* L_349 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_350 = V_11; NullCheck(L_349); IL2CPP_ARRAY_BOUNDS_CHECK(L_349, (((int32_t)((uint8_t)L_350)))); int32_t L_351 = (((int32_t)((uint8_t)L_350))); UInt32U5BU5D_t2133601851* L_352 = ___ekey; NullCheck(L_352); IL2CPP_ARRAY_BOUNDS_CHECK(L_352, ((int32_t)26)); int32_t L_353 = ((int32_t)26); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_340)->GetAt(static_cast<il2cpp_array_size_t>(L_342)))^(int32_t)((L_343)->GetAt(static_cast<il2cpp_array_size_t>(L_345)))))^(int32_t)((L_346)->GetAt(static_cast<il2cpp_array_size_t>(L_348)))))^(int32_t)((L_349)->GetAt(static_cast<il2cpp_array_size_t>(L_351)))))^(int32_t)((L_352)->GetAt(static_cast<il2cpp_array_size_t>(L_353))))); UInt32U5BU5D_t2133601851* L_354 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_355 = V_9; NullCheck(L_354); IL2CPP_ARRAY_BOUNDS_CHECK(L_354, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_355>>((int32_t)24)))))); uintptr_t L_356 = (((uintptr_t)((int32_t)((uint32_t)L_355>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_357 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_358 = V_8; NullCheck(L_357); IL2CPP_ARRAY_BOUNDS_CHECK(L_357, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_358>>((int32_t)16))))))); int32_t L_359 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_358>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_360 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_361 = V_7; NullCheck(L_360); IL2CPP_ARRAY_BOUNDS_CHECK(L_360, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_361>>8)))))); int32_t L_362 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_361>>8))))); UInt32U5BU5D_t2133601851* L_363 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_364 = V_6; NullCheck(L_363); IL2CPP_ARRAY_BOUNDS_CHECK(L_363, (((int32_t)((uint8_t)L_364)))); int32_t L_365 = (((int32_t)((uint8_t)L_364))); UInt32U5BU5D_t2133601851* L_366 = ___ekey; NullCheck(L_366); IL2CPP_ARRAY_BOUNDS_CHECK(L_366, ((int32_t)27)); int32_t L_367 = ((int32_t)27); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_354)->GetAt(static_cast<il2cpp_array_size_t>(L_356)))^(int32_t)((L_357)->GetAt(static_cast<il2cpp_array_size_t>(L_359)))))^(int32_t)((L_360)->GetAt(static_cast<il2cpp_array_size_t>(L_362)))))^(int32_t)((L_363)->GetAt(static_cast<il2cpp_array_size_t>(L_365)))))^(int32_t)((L_366)->GetAt(static_cast<il2cpp_array_size_t>(L_367))))); UInt32U5BU5D_t2133601851* L_368 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_369 = V_10; NullCheck(L_368); IL2CPP_ARRAY_BOUNDS_CHECK(L_368, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_369>>((int32_t)24)))))); uintptr_t L_370 = (((uintptr_t)((int32_t)((uint32_t)L_369>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_371 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_372 = V_9; NullCheck(L_371); IL2CPP_ARRAY_BOUNDS_CHECK(L_371, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_372>>((int32_t)16))))))); int32_t L_373 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_372>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_374 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_375 = V_8; NullCheck(L_374); IL2CPP_ARRAY_BOUNDS_CHECK(L_374, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_375>>8)))))); int32_t L_376 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_375>>8))))); UInt32U5BU5D_t2133601851* L_377 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_378 = V_7; NullCheck(L_377); IL2CPP_ARRAY_BOUNDS_CHECK(L_377, (((int32_t)((uint8_t)L_378)))); int32_t L_379 = (((int32_t)((uint8_t)L_378))); UInt32U5BU5D_t2133601851* L_380 = ___ekey; NullCheck(L_380); IL2CPP_ARRAY_BOUNDS_CHECK(L_380, ((int32_t)28)); int32_t L_381 = ((int32_t)28); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_368)->GetAt(static_cast<il2cpp_array_size_t>(L_370)))^(int32_t)((L_371)->GetAt(static_cast<il2cpp_array_size_t>(L_373)))))^(int32_t)((L_374)->GetAt(static_cast<il2cpp_array_size_t>(L_376)))))^(int32_t)((L_377)->GetAt(static_cast<il2cpp_array_size_t>(L_379)))))^(int32_t)((L_380)->GetAt(static_cast<il2cpp_array_size_t>(L_381))))); UInt32U5BU5D_t2133601851* L_382 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_383 = V_11; NullCheck(L_382); IL2CPP_ARRAY_BOUNDS_CHECK(L_382, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_383>>((int32_t)24)))))); uintptr_t L_384 = (((uintptr_t)((int32_t)((uint32_t)L_383>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_385 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_386 = V_10; NullCheck(L_385); IL2CPP_ARRAY_BOUNDS_CHECK(L_385, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_386>>((int32_t)16))))))); int32_t L_387 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_386>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_388 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_389 = V_9; NullCheck(L_388); IL2CPP_ARRAY_BOUNDS_CHECK(L_388, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_389>>8)))))); int32_t L_390 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_389>>8))))); UInt32U5BU5D_t2133601851* L_391 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_392 = V_8; NullCheck(L_391); IL2CPP_ARRAY_BOUNDS_CHECK(L_391, (((int32_t)((uint8_t)L_392)))); int32_t L_393 = (((int32_t)((uint8_t)L_392))); UInt32U5BU5D_t2133601851* L_394 = ___ekey; NullCheck(L_394); IL2CPP_ARRAY_BOUNDS_CHECK(L_394, ((int32_t)29)); int32_t L_395 = ((int32_t)29); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_382)->GetAt(static_cast<il2cpp_array_size_t>(L_384)))^(int32_t)((L_385)->GetAt(static_cast<il2cpp_array_size_t>(L_387)))))^(int32_t)((L_388)->GetAt(static_cast<il2cpp_array_size_t>(L_390)))))^(int32_t)((L_391)->GetAt(static_cast<il2cpp_array_size_t>(L_393)))))^(int32_t)((L_394)->GetAt(static_cast<il2cpp_array_size_t>(L_395))))); UInt32U5BU5D_t2133601851* L_396 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_397 = V_0; NullCheck(L_396); IL2CPP_ARRAY_BOUNDS_CHECK(L_396, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_397>>((int32_t)24)))))); uintptr_t L_398 = (((uintptr_t)((int32_t)((uint32_t)L_397>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_399 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_400 = V_5; NullCheck(L_399); IL2CPP_ARRAY_BOUNDS_CHECK(L_399, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_400>>((int32_t)16))))))); int32_t L_401 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_400>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_402 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_403 = V_4; NullCheck(L_402); IL2CPP_ARRAY_BOUNDS_CHECK(L_402, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_403>>8)))))); int32_t L_404 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_403>>8))))); UInt32U5BU5D_t2133601851* L_405 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_406 = V_3; NullCheck(L_405); IL2CPP_ARRAY_BOUNDS_CHECK(L_405, (((int32_t)((uint8_t)L_406)))); int32_t L_407 = (((int32_t)((uint8_t)L_406))); UInt32U5BU5D_t2133601851* L_408 = ___ekey; NullCheck(L_408); IL2CPP_ARRAY_BOUNDS_CHECK(L_408, ((int32_t)30)); int32_t L_409 = ((int32_t)30); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_396)->GetAt(static_cast<il2cpp_array_size_t>(L_398)))^(int32_t)((L_399)->GetAt(static_cast<il2cpp_array_size_t>(L_401)))))^(int32_t)((L_402)->GetAt(static_cast<il2cpp_array_size_t>(L_404)))))^(int32_t)((L_405)->GetAt(static_cast<il2cpp_array_size_t>(L_407)))))^(int32_t)((L_408)->GetAt(static_cast<il2cpp_array_size_t>(L_409))))); UInt32U5BU5D_t2133601851* L_410 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_411 = V_1; NullCheck(L_410); IL2CPP_ARRAY_BOUNDS_CHECK(L_410, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_411>>((int32_t)24)))))); uintptr_t L_412 = (((uintptr_t)((int32_t)((uint32_t)L_411>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_413 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_414 = V_0; NullCheck(L_413); IL2CPP_ARRAY_BOUNDS_CHECK(L_413, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_414>>((int32_t)16))))))); int32_t L_415 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_414>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_416 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_417 = V_5; NullCheck(L_416); IL2CPP_ARRAY_BOUNDS_CHECK(L_416, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_417>>8)))))); int32_t L_418 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_417>>8))))); UInt32U5BU5D_t2133601851* L_419 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_420 = V_4; NullCheck(L_419); IL2CPP_ARRAY_BOUNDS_CHECK(L_419, (((int32_t)((uint8_t)L_420)))); int32_t L_421 = (((int32_t)((uint8_t)L_420))); UInt32U5BU5D_t2133601851* L_422 = ___ekey; NullCheck(L_422); IL2CPP_ARRAY_BOUNDS_CHECK(L_422, ((int32_t)31)); int32_t L_423 = ((int32_t)31); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_410)->GetAt(static_cast<il2cpp_array_size_t>(L_412)))^(int32_t)((L_413)->GetAt(static_cast<il2cpp_array_size_t>(L_415)))))^(int32_t)((L_416)->GetAt(static_cast<il2cpp_array_size_t>(L_418)))))^(int32_t)((L_419)->GetAt(static_cast<il2cpp_array_size_t>(L_421)))))^(int32_t)((L_422)->GetAt(static_cast<il2cpp_array_size_t>(L_423))))); UInt32U5BU5D_t2133601851* L_424 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_425 = V_2; NullCheck(L_424); IL2CPP_ARRAY_BOUNDS_CHECK(L_424, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_425>>((int32_t)24)))))); uintptr_t L_426 = (((uintptr_t)((int32_t)((uint32_t)L_425>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_427 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_428 = V_1; NullCheck(L_427); IL2CPP_ARRAY_BOUNDS_CHECK(L_427, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_428>>((int32_t)16))))))); int32_t L_429 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_428>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_430 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_431 = V_0; NullCheck(L_430); IL2CPP_ARRAY_BOUNDS_CHECK(L_430, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_431>>8)))))); int32_t L_432 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_431>>8))))); UInt32U5BU5D_t2133601851* L_433 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_434 = V_5; NullCheck(L_433); IL2CPP_ARRAY_BOUNDS_CHECK(L_433, (((int32_t)((uint8_t)L_434)))); int32_t L_435 = (((int32_t)((uint8_t)L_434))); UInt32U5BU5D_t2133601851* L_436 = ___ekey; NullCheck(L_436); IL2CPP_ARRAY_BOUNDS_CHECK(L_436, ((int32_t)32)); int32_t L_437 = ((int32_t)32); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_424)->GetAt(static_cast<il2cpp_array_size_t>(L_426)))^(int32_t)((L_427)->GetAt(static_cast<il2cpp_array_size_t>(L_429)))))^(int32_t)((L_430)->GetAt(static_cast<il2cpp_array_size_t>(L_432)))))^(int32_t)((L_433)->GetAt(static_cast<il2cpp_array_size_t>(L_435)))))^(int32_t)((L_436)->GetAt(static_cast<il2cpp_array_size_t>(L_437))))); UInt32U5BU5D_t2133601851* L_438 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_439 = V_3; NullCheck(L_438); IL2CPP_ARRAY_BOUNDS_CHECK(L_438, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_439>>((int32_t)24)))))); uintptr_t L_440 = (((uintptr_t)((int32_t)((uint32_t)L_439>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_441 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_442 = V_2; NullCheck(L_441); IL2CPP_ARRAY_BOUNDS_CHECK(L_441, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_442>>((int32_t)16))))))); int32_t L_443 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_442>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_444 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_445 = V_1; NullCheck(L_444); IL2CPP_ARRAY_BOUNDS_CHECK(L_444, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_445>>8)))))); int32_t L_446 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_445>>8))))); UInt32U5BU5D_t2133601851* L_447 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_448 = V_0; NullCheck(L_447); IL2CPP_ARRAY_BOUNDS_CHECK(L_447, (((int32_t)((uint8_t)L_448)))); int32_t L_449 = (((int32_t)((uint8_t)L_448))); UInt32U5BU5D_t2133601851* L_450 = ___ekey; NullCheck(L_450); IL2CPP_ARRAY_BOUNDS_CHECK(L_450, ((int32_t)33)); int32_t L_451 = ((int32_t)33); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_438)->GetAt(static_cast<il2cpp_array_size_t>(L_440)))^(int32_t)((L_441)->GetAt(static_cast<il2cpp_array_size_t>(L_443)))))^(int32_t)((L_444)->GetAt(static_cast<il2cpp_array_size_t>(L_446)))))^(int32_t)((L_447)->GetAt(static_cast<il2cpp_array_size_t>(L_449)))))^(int32_t)((L_450)->GetAt(static_cast<il2cpp_array_size_t>(L_451))))); UInt32U5BU5D_t2133601851* L_452 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_453 = V_4; NullCheck(L_452); IL2CPP_ARRAY_BOUNDS_CHECK(L_452, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_453>>((int32_t)24)))))); uintptr_t L_454 = (((uintptr_t)((int32_t)((uint32_t)L_453>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_455 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_456 = V_3; NullCheck(L_455); IL2CPP_ARRAY_BOUNDS_CHECK(L_455, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_456>>((int32_t)16))))))); int32_t L_457 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_456>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_458 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_459 = V_2; NullCheck(L_458); IL2CPP_ARRAY_BOUNDS_CHECK(L_458, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_459>>8)))))); int32_t L_460 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_459>>8))))); UInt32U5BU5D_t2133601851* L_461 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_462 = V_1; NullCheck(L_461); IL2CPP_ARRAY_BOUNDS_CHECK(L_461, (((int32_t)((uint8_t)L_462)))); int32_t L_463 = (((int32_t)((uint8_t)L_462))); UInt32U5BU5D_t2133601851* L_464 = ___ekey; NullCheck(L_464); IL2CPP_ARRAY_BOUNDS_CHECK(L_464, ((int32_t)34)); int32_t L_465 = ((int32_t)34); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_452)->GetAt(static_cast<il2cpp_array_size_t>(L_454)))^(int32_t)((L_455)->GetAt(static_cast<il2cpp_array_size_t>(L_457)))))^(int32_t)((L_458)->GetAt(static_cast<il2cpp_array_size_t>(L_460)))))^(int32_t)((L_461)->GetAt(static_cast<il2cpp_array_size_t>(L_463)))))^(int32_t)((L_464)->GetAt(static_cast<il2cpp_array_size_t>(L_465))))); UInt32U5BU5D_t2133601851* L_466 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_467 = V_5; NullCheck(L_466); IL2CPP_ARRAY_BOUNDS_CHECK(L_466, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_467>>((int32_t)24)))))); uintptr_t L_468 = (((uintptr_t)((int32_t)((uint32_t)L_467>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_469 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_470 = V_4; NullCheck(L_469); IL2CPP_ARRAY_BOUNDS_CHECK(L_469, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_470>>((int32_t)16))))))); int32_t L_471 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_470>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_472 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_473 = V_3; NullCheck(L_472); IL2CPP_ARRAY_BOUNDS_CHECK(L_472, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_473>>8)))))); int32_t L_474 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_473>>8))))); UInt32U5BU5D_t2133601851* L_475 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_476 = V_2; NullCheck(L_475); IL2CPP_ARRAY_BOUNDS_CHECK(L_475, (((int32_t)((uint8_t)L_476)))); int32_t L_477 = (((int32_t)((uint8_t)L_476))); UInt32U5BU5D_t2133601851* L_478 = ___ekey; NullCheck(L_478); IL2CPP_ARRAY_BOUNDS_CHECK(L_478, ((int32_t)35)); int32_t L_479 = ((int32_t)35); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_466)->GetAt(static_cast<il2cpp_array_size_t>(L_468)))^(int32_t)((L_469)->GetAt(static_cast<il2cpp_array_size_t>(L_471)))))^(int32_t)((L_472)->GetAt(static_cast<il2cpp_array_size_t>(L_474)))))^(int32_t)((L_475)->GetAt(static_cast<il2cpp_array_size_t>(L_477)))))^(int32_t)((L_478)->GetAt(static_cast<il2cpp_array_size_t>(L_479))))); UInt32U5BU5D_t2133601851* L_480 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_481 = V_6; NullCheck(L_480); IL2CPP_ARRAY_BOUNDS_CHECK(L_480, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_481>>((int32_t)24)))))); uintptr_t L_482 = (((uintptr_t)((int32_t)((uint32_t)L_481>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_483 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_484 = V_11; NullCheck(L_483); IL2CPP_ARRAY_BOUNDS_CHECK(L_483, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_484>>((int32_t)16))))))); int32_t L_485 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_484>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_486 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_487 = V_10; NullCheck(L_486); IL2CPP_ARRAY_BOUNDS_CHECK(L_486, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_487>>8)))))); int32_t L_488 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_487>>8))))); UInt32U5BU5D_t2133601851* L_489 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_490 = V_9; NullCheck(L_489); IL2CPP_ARRAY_BOUNDS_CHECK(L_489, (((int32_t)((uint8_t)L_490)))); int32_t L_491 = (((int32_t)((uint8_t)L_490))); UInt32U5BU5D_t2133601851* L_492 = ___ekey; NullCheck(L_492); IL2CPP_ARRAY_BOUNDS_CHECK(L_492, ((int32_t)36)); int32_t L_493 = ((int32_t)36); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_480)->GetAt(static_cast<il2cpp_array_size_t>(L_482)))^(int32_t)((L_483)->GetAt(static_cast<il2cpp_array_size_t>(L_485)))))^(int32_t)((L_486)->GetAt(static_cast<il2cpp_array_size_t>(L_488)))))^(int32_t)((L_489)->GetAt(static_cast<il2cpp_array_size_t>(L_491)))))^(int32_t)((L_492)->GetAt(static_cast<il2cpp_array_size_t>(L_493))))); UInt32U5BU5D_t2133601851* L_494 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_495 = V_7; NullCheck(L_494); IL2CPP_ARRAY_BOUNDS_CHECK(L_494, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_495>>((int32_t)24)))))); uintptr_t L_496 = (((uintptr_t)((int32_t)((uint32_t)L_495>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_497 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_498 = V_6; NullCheck(L_497); IL2CPP_ARRAY_BOUNDS_CHECK(L_497, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_498>>((int32_t)16))))))); int32_t L_499 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_498>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_500 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_501 = V_11; NullCheck(L_500); IL2CPP_ARRAY_BOUNDS_CHECK(L_500, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_501>>8)))))); int32_t L_502 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_501>>8))))); UInt32U5BU5D_t2133601851* L_503 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_504 = V_10; NullCheck(L_503); IL2CPP_ARRAY_BOUNDS_CHECK(L_503, (((int32_t)((uint8_t)L_504)))); int32_t L_505 = (((int32_t)((uint8_t)L_504))); UInt32U5BU5D_t2133601851* L_506 = ___ekey; NullCheck(L_506); IL2CPP_ARRAY_BOUNDS_CHECK(L_506, ((int32_t)37)); int32_t L_507 = ((int32_t)37); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_494)->GetAt(static_cast<il2cpp_array_size_t>(L_496)))^(int32_t)((L_497)->GetAt(static_cast<il2cpp_array_size_t>(L_499)))))^(int32_t)((L_500)->GetAt(static_cast<il2cpp_array_size_t>(L_502)))))^(int32_t)((L_503)->GetAt(static_cast<il2cpp_array_size_t>(L_505)))))^(int32_t)((L_506)->GetAt(static_cast<il2cpp_array_size_t>(L_507))))); UInt32U5BU5D_t2133601851* L_508 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_509 = V_8; NullCheck(L_508); IL2CPP_ARRAY_BOUNDS_CHECK(L_508, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_509>>((int32_t)24)))))); uintptr_t L_510 = (((uintptr_t)((int32_t)((uint32_t)L_509>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_511 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_512 = V_7; NullCheck(L_511); IL2CPP_ARRAY_BOUNDS_CHECK(L_511, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_512>>((int32_t)16))))))); int32_t L_513 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_512>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_514 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_515 = V_6; NullCheck(L_514); IL2CPP_ARRAY_BOUNDS_CHECK(L_514, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_515>>8)))))); int32_t L_516 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_515>>8))))); UInt32U5BU5D_t2133601851* L_517 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_518 = V_11; NullCheck(L_517); IL2CPP_ARRAY_BOUNDS_CHECK(L_517, (((int32_t)((uint8_t)L_518)))); int32_t L_519 = (((int32_t)((uint8_t)L_518))); UInt32U5BU5D_t2133601851* L_520 = ___ekey; NullCheck(L_520); IL2CPP_ARRAY_BOUNDS_CHECK(L_520, ((int32_t)38)); int32_t L_521 = ((int32_t)38); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_508)->GetAt(static_cast<il2cpp_array_size_t>(L_510)))^(int32_t)((L_511)->GetAt(static_cast<il2cpp_array_size_t>(L_513)))))^(int32_t)((L_514)->GetAt(static_cast<il2cpp_array_size_t>(L_516)))))^(int32_t)((L_517)->GetAt(static_cast<il2cpp_array_size_t>(L_519)))))^(int32_t)((L_520)->GetAt(static_cast<il2cpp_array_size_t>(L_521))))); UInt32U5BU5D_t2133601851* L_522 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_523 = V_9; NullCheck(L_522); IL2CPP_ARRAY_BOUNDS_CHECK(L_522, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_523>>((int32_t)24)))))); uintptr_t L_524 = (((uintptr_t)((int32_t)((uint32_t)L_523>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_525 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_526 = V_8; NullCheck(L_525); IL2CPP_ARRAY_BOUNDS_CHECK(L_525, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_526>>((int32_t)16))))))); int32_t L_527 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_526>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_528 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_529 = V_7; NullCheck(L_528); IL2CPP_ARRAY_BOUNDS_CHECK(L_528, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_529>>8)))))); int32_t L_530 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_529>>8))))); UInt32U5BU5D_t2133601851* L_531 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_532 = V_6; NullCheck(L_531); IL2CPP_ARRAY_BOUNDS_CHECK(L_531, (((int32_t)((uint8_t)L_532)))); int32_t L_533 = (((int32_t)((uint8_t)L_532))); UInt32U5BU5D_t2133601851* L_534 = ___ekey; NullCheck(L_534); IL2CPP_ARRAY_BOUNDS_CHECK(L_534, ((int32_t)39)); int32_t L_535 = ((int32_t)39); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_522)->GetAt(static_cast<il2cpp_array_size_t>(L_524)))^(int32_t)((L_525)->GetAt(static_cast<il2cpp_array_size_t>(L_527)))))^(int32_t)((L_528)->GetAt(static_cast<il2cpp_array_size_t>(L_530)))))^(int32_t)((L_531)->GetAt(static_cast<il2cpp_array_size_t>(L_533)))))^(int32_t)((L_534)->GetAt(static_cast<il2cpp_array_size_t>(L_535))))); UInt32U5BU5D_t2133601851* L_536 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_537 = V_10; NullCheck(L_536); IL2CPP_ARRAY_BOUNDS_CHECK(L_536, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_537>>((int32_t)24)))))); uintptr_t L_538 = (((uintptr_t)((int32_t)((uint32_t)L_537>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_539 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_540 = V_9; NullCheck(L_539); IL2CPP_ARRAY_BOUNDS_CHECK(L_539, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_540>>((int32_t)16))))))); int32_t L_541 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_540>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_542 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_543 = V_8; NullCheck(L_542); IL2CPP_ARRAY_BOUNDS_CHECK(L_542, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_543>>8)))))); int32_t L_544 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_543>>8))))); UInt32U5BU5D_t2133601851* L_545 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_546 = V_7; NullCheck(L_545); IL2CPP_ARRAY_BOUNDS_CHECK(L_545, (((int32_t)((uint8_t)L_546)))); int32_t L_547 = (((int32_t)((uint8_t)L_546))); UInt32U5BU5D_t2133601851* L_548 = ___ekey; NullCheck(L_548); IL2CPP_ARRAY_BOUNDS_CHECK(L_548, ((int32_t)40)); int32_t L_549 = ((int32_t)40); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_536)->GetAt(static_cast<il2cpp_array_size_t>(L_538)))^(int32_t)((L_539)->GetAt(static_cast<il2cpp_array_size_t>(L_541)))))^(int32_t)((L_542)->GetAt(static_cast<il2cpp_array_size_t>(L_544)))))^(int32_t)((L_545)->GetAt(static_cast<il2cpp_array_size_t>(L_547)))))^(int32_t)((L_548)->GetAt(static_cast<il2cpp_array_size_t>(L_549))))); UInt32U5BU5D_t2133601851* L_550 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_551 = V_11; NullCheck(L_550); IL2CPP_ARRAY_BOUNDS_CHECK(L_550, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_551>>((int32_t)24)))))); uintptr_t L_552 = (((uintptr_t)((int32_t)((uint32_t)L_551>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_553 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_554 = V_10; NullCheck(L_553); IL2CPP_ARRAY_BOUNDS_CHECK(L_553, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_554>>((int32_t)16))))))); int32_t L_555 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_554>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_556 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_557 = V_9; NullCheck(L_556); IL2CPP_ARRAY_BOUNDS_CHECK(L_556, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_557>>8)))))); int32_t L_558 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_557>>8))))); UInt32U5BU5D_t2133601851* L_559 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_560 = V_8; NullCheck(L_559); IL2CPP_ARRAY_BOUNDS_CHECK(L_559, (((int32_t)((uint8_t)L_560)))); int32_t L_561 = (((int32_t)((uint8_t)L_560))); UInt32U5BU5D_t2133601851* L_562 = ___ekey; NullCheck(L_562); IL2CPP_ARRAY_BOUNDS_CHECK(L_562, ((int32_t)41)); int32_t L_563 = ((int32_t)41); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_550)->GetAt(static_cast<il2cpp_array_size_t>(L_552)))^(int32_t)((L_553)->GetAt(static_cast<il2cpp_array_size_t>(L_555)))))^(int32_t)((L_556)->GetAt(static_cast<il2cpp_array_size_t>(L_558)))))^(int32_t)((L_559)->GetAt(static_cast<il2cpp_array_size_t>(L_561)))))^(int32_t)((L_562)->GetAt(static_cast<il2cpp_array_size_t>(L_563))))); UInt32U5BU5D_t2133601851* L_564 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_565 = V_0; NullCheck(L_564); IL2CPP_ARRAY_BOUNDS_CHECK(L_564, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_565>>((int32_t)24)))))); uintptr_t L_566 = (((uintptr_t)((int32_t)((uint32_t)L_565>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_567 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_568 = V_5; NullCheck(L_567); IL2CPP_ARRAY_BOUNDS_CHECK(L_567, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_568>>((int32_t)16))))))); int32_t L_569 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_568>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_570 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_571 = V_4; NullCheck(L_570); IL2CPP_ARRAY_BOUNDS_CHECK(L_570, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_571>>8)))))); int32_t L_572 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_571>>8))))); UInt32U5BU5D_t2133601851* L_573 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_574 = V_3; NullCheck(L_573); IL2CPP_ARRAY_BOUNDS_CHECK(L_573, (((int32_t)((uint8_t)L_574)))); int32_t L_575 = (((int32_t)((uint8_t)L_574))); UInt32U5BU5D_t2133601851* L_576 = ___ekey; NullCheck(L_576); IL2CPP_ARRAY_BOUNDS_CHECK(L_576, ((int32_t)42)); int32_t L_577 = ((int32_t)42); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_564)->GetAt(static_cast<il2cpp_array_size_t>(L_566)))^(int32_t)((L_567)->GetAt(static_cast<il2cpp_array_size_t>(L_569)))))^(int32_t)((L_570)->GetAt(static_cast<il2cpp_array_size_t>(L_572)))))^(int32_t)((L_573)->GetAt(static_cast<il2cpp_array_size_t>(L_575)))))^(int32_t)((L_576)->GetAt(static_cast<il2cpp_array_size_t>(L_577))))); UInt32U5BU5D_t2133601851* L_578 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_579 = V_1; NullCheck(L_578); IL2CPP_ARRAY_BOUNDS_CHECK(L_578, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_579>>((int32_t)24)))))); uintptr_t L_580 = (((uintptr_t)((int32_t)((uint32_t)L_579>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_581 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_582 = V_0; NullCheck(L_581); IL2CPP_ARRAY_BOUNDS_CHECK(L_581, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_582>>((int32_t)16))))))); int32_t L_583 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_582>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_584 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_585 = V_5; NullCheck(L_584); IL2CPP_ARRAY_BOUNDS_CHECK(L_584, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_585>>8)))))); int32_t L_586 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_585>>8))))); UInt32U5BU5D_t2133601851* L_587 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_588 = V_4; NullCheck(L_587); IL2CPP_ARRAY_BOUNDS_CHECK(L_587, (((int32_t)((uint8_t)L_588)))); int32_t L_589 = (((int32_t)((uint8_t)L_588))); UInt32U5BU5D_t2133601851* L_590 = ___ekey; NullCheck(L_590); IL2CPP_ARRAY_BOUNDS_CHECK(L_590, ((int32_t)43)); int32_t L_591 = ((int32_t)43); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_578)->GetAt(static_cast<il2cpp_array_size_t>(L_580)))^(int32_t)((L_581)->GetAt(static_cast<il2cpp_array_size_t>(L_583)))))^(int32_t)((L_584)->GetAt(static_cast<il2cpp_array_size_t>(L_586)))))^(int32_t)((L_587)->GetAt(static_cast<il2cpp_array_size_t>(L_589)))))^(int32_t)((L_590)->GetAt(static_cast<il2cpp_array_size_t>(L_591))))); UInt32U5BU5D_t2133601851* L_592 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_593 = V_2; NullCheck(L_592); IL2CPP_ARRAY_BOUNDS_CHECK(L_592, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_593>>((int32_t)24)))))); uintptr_t L_594 = (((uintptr_t)((int32_t)((uint32_t)L_593>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_595 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_596 = V_1; NullCheck(L_595); IL2CPP_ARRAY_BOUNDS_CHECK(L_595, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_596>>((int32_t)16))))))); int32_t L_597 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_596>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_598 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_599 = V_0; NullCheck(L_598); IL2CPP_ARRAY_BOUNDS_CHECK(L_598, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_599>>8)))))); int32_t L_600 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_599>>8))))); UInt32U5BU5D_t2133601851* L_601 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_602 = V_5; NullCheck(L_601); IL2CPP_ARRAY_BOUNDS_CHECK(L_601, (((int32_t)((uint8_t)L_602)))); int32_t L_603 = (((int32_t)((uint8_t)L_602))); UInt32U5BU5D_t2133601851* L_604 = ___ekey; NullCheck(L_604); IL2CPP_ARRAY_BOUNDS_CHECK(L_604, ((int32_t)44)); int32_t L_605 = ((int32_t)44); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_592)->GetAt(static_cast<il2cpp_array_size_t>(L_594)))^(int32_t)((L_595)->GetAt(static_cast<il2cpp_array_size_t>(L_597)))))^(int32_t)((L_598)->GetAt(static_cast<il2cpp_array_size_t>(L_600)))))^(int32_t)((L_601)->GetAt(static_cast<il2cpp_array_size_t>(L_603)))))^(int32_t)((L_604)->GetAt(static_cast<il2cpp_array_size_t>(L_605))))); UInt32U5BU5D_t2133601851* L_606 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_607 = V_3; NullCheck(L_606); IL2CPP_ARRAY_BOUNDS_CHECK(L_606, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_607>>((int32_t)24)))))); uintptr_t L_608 = (((uintptr_t)((int32_t)((uint32_t)L_607>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_609 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_610 = V_2; NullCheck(L_609); IL2CPP_ARRAY_BOUNDS_CHECK(L_609, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_610>>((int32_t)16))))))); int32_t L_611 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_610>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_612 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_613 = V_1; NullCheck(L_612); IL2CPP_ARRAY_BOUNDS_CHECK(L_612, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_613>>8)))))); int32_t L_614 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_613>>8))))); UInt32U5BU5D_t2133601851* L_615 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_616 = V_0; NullCheck(L_615); IL2CPP_ARRAY_BOUNDS_CHECK(L_615, (((int32_t)((uint8_t)L_616)))); int32_t L_617 = (((int32_t)((uint8_t)L_616))); UInt32U5BU5D_t2133601851* L_618 = ___ekey; NullCheck(L_618); IL2CPP_ARRAY_BOUNDS_CHECK(L_618, ((int32_t)45)); int32_t L_619 = ((int32_t)45); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_606)->GetAt(static_cast<il2cpp_array_size_t>(L_608)))^(int32_t)((L_609)->GetAt(static_cast<il2cpp_array_size_t>(L_611)))))^(int32_t)((L_612)->GetAt(static_cast<il2cpp_array_size_t>(L_614)))))^(int32_t)((L_615)->GetAt(static_cast<il2cpp_array_size_t>(L_617)))))^(int32_t)((L_618)->GetAt(static_cast<il2cpp_array_size_t>(L_619))))); UInt32U5BU5D_t2133601851* L_620 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_621 = V_4; NullCheck(L_620); IL2CPP_ARRAY_BOUNDS_CHECK(L_620, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_621>>((int32_t)24)))))); uintptr_t L_622 = (((uintptr_t)((int32_t)((uint32_t)L_621>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_623 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_624 = V_3; NullCheck(L_623); IL2CPP_ARRAY_BOUNDS_CHECK(L_623, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_624>>((int32_t)16))))))); int32_t L_625 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_624>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_626 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_627 = V_2; NullCheck(L_626); IL2CPP_ARRAY_BOUNDS_CHECK(L_626, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_627>>8)))))); int32_t L_628 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_627>>8))))); UInt32U5BU5D_t2133601851* L_629 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_630 = V_1; NullCheck(L_629); IL2CPP_ARRAY_BOUNDS_CHECK(L_629, (((int32_t)((uint8_t)L_630)))); int32_t L_631 = (((int32_t)((uint8_t)L_630))); UInt32U5BU5D_t2133601851* L_632 = ___ekey; NullCheck(L_632); IL2CPP_ARRAY_BOUNDS_CHECK(L_632, ((int32_t)46)); int32_t L_633 = ((int32_t)46); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_620)->GetAt(static_cast<il2cpp_array_size_t>(L_622)))^(int32_t)((L_623)->GetAt(static_cast<il2cpp_array_size_t>(L_625)))))^(int32_t)((L_626)->GetAt(static_cast<il2cpp_array_size_t>(L_628)))))^(int32_t)((L_629)->GetAt(static_cast<il2cpp_array_size_t>(L_631)))))^(int32_t)((L_632)->GetAt(static_cast<il2cpp_array_size_t>(L_633))))); UInt32U5BU5D_t2133601851* L_634 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_635 = V_5; NullCheck(L_634); IL2CPP_ARRAY_BOUNDS_CHECK(L_634, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_635>>((int32_t)24)))))); uintptr_t L_636 = (((uintptr_t)((int32_t)((uint32_t)L_635>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_637 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_638 = V_4; NullCheck(L_637); IL2CPP_ARRAY_BOUNDS_CHECK(L_637, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_638>>((int32_t)16))))))); int32_t L_639 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_638>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_640 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_641 = V_3; NullCheck(L_640); IL2CPP_ARRAY_BOUNDS_CHECK(L_640, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_641>>8)))))); int32_t L_642 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_641>>8))))); UInt32U5BU5D_t2133601851* L_643 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_644 = V_2; NullCheck(L_643); IL2CPP_ARRAY_BOUNDS_CHECK(L_643, (((int32_t)((uint8_t)L_644)))); int32_t L_645 = (((int32_t)((uint8_t)L_644))); UInt32U5BU5D_t2133601851* L_646 = ___ekey; NullCheck(L_646); IL2CPP_ARRAY_BOUNDS_CHECK(L_646, ((int32_t)47)); int32_t L_647 = ((int32_t)47); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_634)->GetAt(static_cast<il2cpp_array_size_t>(L_636)))^(int32_t)((L_637)->GetAt(static_cast<il2cpp_array_size_t>(L_639)))))^(int32_t)((L_640)->GetAt(static_cast<il2cpp_array_size_t>(L_642)))))^(int32_t)((L_643)->GetAt(static_cast<il2cpp_array_size_t>(L_645)))))^(int32_t)((L_646)->GetAt(static_cast<il2cpp_array_size_t>(L_647))))); UInt32U5BU5D_t2133601851* L_648 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_649 = V_6; NullCheck(L_648); IL2CPP_ARRAY_BOUNDS_CHECK(L_648, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_649>>((int32_t)24)))))); uintptr_t L_650 = (((uintptr_t)((int32_t)((uint32_t)L_649>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_651 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_652 = V_11; NullCheck(L_651); IL2CPP_ARRAY_BOUNDS_CHECK(L_651, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_652>>((int32_t)16))))))); int32_t L_653 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_652>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_654 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_655 = V_10; NullCheck(L_654); IL2CPP_ARRAY_BOUNDS_CHECK(L_654, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_655>>8)))))); int32_t L_656 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_655>>8))))); UInt32U5BU5D_t2133601851* L_657 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_658 = V_9; NullCheck(L_657); IL2CPP_ARRAY_BOUNDS_CHECK(L_657, (((int32_t)((uint8_t)L_658)))); int32_t L_659 = (((int32_t)((uint8_t)L_658))); UInt32U5BU5D_t2133601851* L_660 = ___ekey; NullCheck(L_660); IL2CPP_ARRAY_BOUNDS_CHECK(L_660, ((int32_t)48)); int32_t L_661 = ((int32_t)48); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_648)->GetAt(static_cast<il2cpp_array_size_t>(L_650)))^(int32_t)((L_651)->GetAt(static_cast<il2cpp_array_size_t>(L_653)))))^(int32_t)((L_654)->GetAt(static_cast<il2cpp_array_size_t>(L_656)))))^(int32_t)((L_657)->GetAt(static_cast<il2cpp_array_size_t>(L_659)))))^(int32_t)((L_660)->GetAt(static_cast<il2cpp_array_size_t>(L_661))))); UInt32U5BU5D_t2133601851* L_662 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_663 = V_7; NullCheck(L_662); IL2CPP_ARRAY_BOUNDS_CHECK(L_662, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_663>>((int32_t)24)))))); uintptr_t L_664 = (((uintptr_t)((int32_t)((uint32_t)L_663>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_665 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_666 = V_6; NullCheck(L_665); IL2CPP_ARRAY_BOUNDS_CHECK(L_665, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_666>>((int32_t)16))))))); int32_t L_667 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_666>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_668 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_669 = V_11; NullCheck(L_668); IL2CPP_ARRAY_BOUNDS_CHECK(L_668, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_669>>8)))))); int32_t L_670 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_669>>8))))); UInt32U5BU5D_t2133601851* L_671 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_672 = V_10; NullCheck(L_671); IL2CPP_ARRAY_BOUNDS_CHECK(L_671, (((int32_t)((uint8_t)L_672)))); int32_t L_673 = (((int32_t)((uint8_t)L_672))); UInt32U5BU5D_t2133601851* L_674 = ___ekey; NullCheck(L_674); IL2CPP_ARRAY_BOUNDS_CHECK(L_674, ((int32_t)49)); int32_t L_675 = ((int32_t)49); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_662)->GetAt(static_cast<il2cpp_array_size_t>(L_664)))^(int32_t)((L_665)->GetAt(static_cast<il2cpp_array_size_t>(L_667)))))^(int32_t)((L_668)->GetAt(static_cast<il2cpp_array_size_t>(L_670)))))^(int32_t)((L_671)->GetAt(static_cast<il2cpp_array_size_t>(L_673)))))^(int32_t)((L_674)->GetAt(static_cast<il2cpp_array_size_t>(L_675))))); UInt32U5BU5D_t2133601851* L_676 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_677 = V_8; NullCheck(L_676); IL2CPP_ARRAY_BOUNDS_CHECK(L_676, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_677>>((int32_t)24)))))); uintptr_t L_678 = (((uintptr_t)((int32_t)((uint32_t)L_677>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_679 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_680 = V_7; NullCheck(L_679); IL2CPP_ARRAY_BOUNDS_CHECK(L_679, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_680>>((int32_t)16))))))); int32_t L_681 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_680>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_682 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_683 = V_6; NullCheck(L_682); IL2CPP_ARRAY_BOUNDS_CHECK(L_682, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_683>>8)))))); int32_t L_684 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_683>>8))))); UInt32U5BU5D_t2133601851* L_685 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_686 = V_11; NullCheck(L_685); IL2CPP_ARRAY_BOUNDS_CHECK(L_685, (((int32_t)((uint8_t)L_686)))); int32_t L_687 = (((int32_t)((uint8_t)L_686))); UInt32U5BU5D_t2133601851* L_688 = ___ekey; NullCheck(L_688); IL2CPP_ARRAY_BOUNDS_CHECK(L_688, ((int32_t)50)); int32_t L_689 = ((int32_t)50); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_676)->GetAt(static_cast<il2cpp_array_size_t>(L_678)))^(int32_t)((L_679)->GetAt(static_cast<il2cpp_array_size_t>(L_681)))))^(int32_t)((L_682)->GetAt(static_cast<il2cpp_array_size_t>(L_684)))))^(int32_t)((L_685)->GetAt(static_cast<il2cpp_array_size_t>(L_687)))))^(int32_t)((L_688)->GetAt(static_cast<il2cpp_array_size_t>(L_689))))); UInt32U5BU5D_t2133601851* L_690 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_691 = V_9; NullCheck(L_690); IL2CPP_ARRAY_BOUNDS_CHECK(L_690, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_691>>((int32_t)24)))))); uintptr_t L_692 = (((uintptr_t)((int32_t)((uint32_t)L_691>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_693 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_694 = V_8; NullCheck(L_693); IL2CPP_ARRAY_BOUNDS_CHECK(L_693, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_694>>((int32_t)16))))))); int32_t L_695 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_694>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_696 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_697 = V_7; NullCheck(L_696); IL2CPP_ARRAY_BOUNDS_CHECK(L_696, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_697>>8)))))); int32_t L_698 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_697>>8))))); UInt32U5BU5D_t2133601851* L_699 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_700 = V_6; NullCheck(L_699); IL2CPP_ARRAY_BOUNDS_CHECK(L_699, (((int32_t)((uint8_t)L_700)))); int32_t L_701 = (((int32_t)((uint8_t)L_700))); UInt32U5BU5D_t2133601851* L_702 = ___ekey; NullCheck(L_702); IL2CPP_ARRAY_BOUNDS_CHECK(L_702, ((int32_t)51)); int32_t L_703 = ((int32_t)51); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_690)->GetAt(static_cast<il2cpp_array_size_t>(L_692)))^(int32_t)((L_693)->GetAt(static_cast<il2cpp_array_size_t>(L_695)))))^(int32_t)((L_696)->GetAt(static_cast<il2cpp_array_size_t>(L_698)))))^(int32_t)((L_699)->GetAt(static_cast<il2cpp_array_size_t>(L_701)))))^(int32_t)((L_702)->GetAt(static_cast<il2cpp_array_size_t>(L_703))))); UInt32U5BU5D_t2133601851* L_704 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_705 = V_10; NullCheck(L_704); IL2CPP_ARRAY_BOUNDS_CHECK(L_704, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_705>>((int32_t)24)))))); uintptr_t L_706 = (((uintptr_t)((int32_t)((uint32_t)L_705>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_707 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_708 = V_9; NullCheck(L_707); IL2CPP_ARRAY_BOUNDS_CHECK(L_707, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_708>>((int32_t)16))))))); int32_t L_709 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_708>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_710 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_711 = V_8; NullCheck(L_710); IL2CPP_ARRAY_BOUNDS_CHECK(L_710, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_711>>8)))))); int32_t L_712 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_711>>8))))); UInt32U5BU5D_t2133601851* L_713 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_714 = V_7; NullCheck(L_713); IL2CPP_ARRAY_BOUNDS_CHECK(L_713, (((int32_t)((uint8_t)L_714)))); int32_t L_715 = (((int32_t)((uint8_t)L_714))); UInt32U5BU5D_t2133601851* L_716 = ___ekey; NullCheck(L_716); IL2CPP_ARRAY_BOUNDS_CHECK(L_716, ((int32_t)52)); int32_t L_717 = ((int32_t)52); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_704)->GetAt(static_cast<il2cpp_array_size_t>(L_706)))^(int32_t)((L_707)->GetAt(static_cast<il2cpp_array_size_t>(L_709)))))^(int32_t)((L_710)->GetAt(static_cast<il2cpp_array_size_t>(L_712)))))^(int32_t)((L_713)->GetAt(static_cast<il2cpp_array_size_t>(L_715)))))^(int32_t)((L_716)->GetAt(static_cast<il2cpp_array_size_t>(L_717))))); UInt32U5BU5D_t2133601851* L_718 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_719 = V_11; NullCheck(L_718); IL2CPP_ARRAY_BOUNDS_CHECK(L_718, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_719>>((int32_t)24)))))); uintptr_t L_720 = (((uintptr_t)((int32_t)((uint32_t)L_719>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_721 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_722 = V_10; NullCheck(L_721); IL2CPP_ARRAY_BOUNDS_CHECK(L_721, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_722>>((int32_t)16))))))); int32_t L_723 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_722>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_724 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_725 = V_9; NullCheck(L_724); IL2CPP_ARRAY_BOUNDS_CHECK(L_724, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_725>>8)))))); int32_t L_726 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_725>>8))))); UInt32U5BU5D_t2133601851* L_727 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_728 = V_8; NullCheck(L_727); IL2CPP_ARRAY_BOUNDS_CHECK(L_727, (((int32_t)((uint8_t)L_728)))); int32_t L_729 = (((int32_t)((uint8_t)L_728))); UInt32U5BU5D_t2133601851* L_730 = ___ekey; NullCheck(L_730); IL2CPP_ARRAY_BOUNDS_CHECK(L_730, ((int32_t)53)); int32_t L_731 = ((int32_t)53); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_718)->GetAt(static_cast<il2cpp_array_size_t>(L_720)))^(int32_t)((L_721)->GetAt(static_cast<il2cpp_array_size_t>(L_723)))))^(int32_t)((L_724)->GetAt(static_cast<il2cpp_array_size_t>(L_726)))))^(int32_t)((L_727)->GetAt(static_cast<il2cpp_array_size_t>(L_729)))))^(int32_t)((L_730)->GetAt(static_cast<il2cpp_array_size_t>(L_731))))); UInt32U5BU5D_t2133601851* L_732 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_733 = V_0; NullCheck(L_732); IL2CPP_ARRAY_BOUNDS_CHECK(L_732, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_733>>((int32_t)24)))))); uintptr_t L_734 = (((uintptr_t)((int32_t)((uint32_t)L_733>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_735 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_736 = V_5; NullCheck(L_735); IL2CPP_ARRAY_BOUNDS_CHECK(L_735, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_736>>((int32_t)16))))))); int32_t L_737 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_736>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_738 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_739 = V_4; NullCheck(L_738); IL2CPP_ARRAY_BOUNDS_CHECK(L_738, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_739>>8)))))); int32_t L_740 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_739>>8))))); UInt32U5BU5D_t2133601851* L_741 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_742 = V_3; NullCheck(L_741); IL2CPP_ARRAY_BOUNDS_CHECK(L_741, (((int32_t)((uint8_t)L_742)))); int32_t L_743 = (((int32_t)((uint8_t)L_742))); UInt32U5BU5D_t2133601851* L_744 = ___ekey; NullCheck(L_744); IL2CPP_ARRAY_BOUNDS_CHECK(L_744, ((int32_t)54)); int32_t L_745 = ((int32_t)54); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_732)->GetAt(static_cast<il2cpp_array_size_t>(L_734)))^(int32_t)((L_735)->GetAt(static_cast<il2cpp_array_size_t>(L_737)))))^(int32_t)((L_738)->GetAt(static_cast<il2cpp_array_size_t>(L_740)))))^(int32_t)((L_741)->GetAt(static_cast<il2cpp_array_size_t>(L_743)))))^(int32_t)((L_744)->GetAt(static_cast<il2cpp_array_size_t>(L_745))))); UInt32U5BU5D_t2133601851* L_746 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_747 = V_1; NullCheck(L_746); IL2CPP_ARRAY_BOUNDS_CHECK(L_746, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_747>>((int32_t)24)))))); uintptr_t L_748 = (((uintptr_t)((int32_t)((uint32_t)L_747>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_749 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_750 = V_0; NullCheck(L_749); IL2CPP_ARRAY_BOUNDS_CHECK(L_749, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_750>>((int32_t)16))))))); int32_t L_751 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_750>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_752 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_753 = V_5; NullCheck(L_752); IL2CPP_ARRAY_BOUNDS_CHECK(L_752, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_753>>8)))))); int32_t L_754 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_753>>8))))); UInt32U5BU5D_t2133601851* L_755 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_756 = V_4; NullCheck(L_755); IL2CPP_ARRAY_BOUNDS_CHECK(L_755, (((int32_t)((uint8_t)L_756)))); int32_t L_757 = (((int32_t)((uint8_t)L_756))); UInt32U5BU5D_t2133601851* L_758 = ___ekey; NullCheck(L_758); IL2CPP_ARRAY_BOUNDS_CHECK(L_758, ((int32_t)55)); int32_t L_759 = ((int32_t)55); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_746)->GetAt(static_cast<il2cpp_array_size_t>(L_748)))^(int32_t)((L_749)->GetAt(static_cast<il2cpp_array_size_t>(L_751)))))^(int32_t)((L_752)->GetAt(static_cast<il2cpp_array_size_t>(L_754)))))^(int32_t)((L_755)->GetAt(static_cast<il2cpp_array_size_t>(L_757)))))^(int32_t)((L_758)->GetAt(static_cast<il2cpp_array_size_t>(L_759))))); UInt32U5BU5D_t2133601851* L_760 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_761 = V_2; NullCheck(L_760); IL2CPP_ARRAY_BOUNDS_CHECK(L_760, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_761>>((int32_t)24)))))); uintptr_t L_762 = (((uintptr_t)((int32_t)((uint32_t)L_761>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_763 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_764 = V_1; NullCheck(L_763); IL2CPP_ARRAY_BOUNDS_CHECK(L_763, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_764>>((int32_t)16))))))); int32_t L_765 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_764>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_766 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_767 = V_0; NullCheck(L_766); IL2CPP_ARRAY_BOUNDS_CHECK(L_766, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_767>>8)))))); int32_t L_768 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_767>>8))))); UInt32U5BU5D_t2133601851* L_769 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_770 = V_5; NullCheck(L_769); IL2CPP_ARRAY_BOUNDS_CHECK(L_769, (((int32_t)((uint8_t)L_770)))); int32_t L_771 = (((int32_t)((uint8_t)L_770))); UInt32U5BU5D_t2133601851* L_772 = ___ekey; NullCheck(L_772); IL2CPP_ARRAY_BOUNDS_CHECK(L_772, ((int32_t)56)); int32_t L_773 = ((int32_t)56); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_760)->GetAt(static_cast<il2cpp_array_size_t>(L_762)))^(int32_t)((L_763)->GetAt(static_cast<il2cpp_array_size_t>(L_765)))))^(int32_t)((L_766)->GetAt(static_cast<il2cpp_array_size_t>(L_768)))))^(int32_t)((L_769)->GetAt(static_cast<il2cpp_array_size_t>(L_771)))))^(int32_t)((L_772)->GetAt(static_cast<il2cpp_array_size_t>(L_773))))); UInt32U5BU5D_t2133601851* L_774 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_775 = V_3; NullCheck(L_774); IL2CPP_ARRAY_BOUNDS_CHECK(L_774, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_775>>((int32_t)24)))))); uintptr_t L_776 = (((uintptr_t)((int32_t)((uint32_t)L_775>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_777 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_778 = V_2; NullCheck(L_777); IL2CPP_ARRAY_BOUNDS_CHECK(L_777, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_778>>((int32_t)16))))))); int32_t L_779 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_778>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_780 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_781 = V_1; NullCheck(L_780); IL2CPP_ARRAY_BOUNDS_CHECK(L_780, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_781>>8)))))); int32_t L_782 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_781>>8))))); UInt32U5BU5D_t2133601851* L_783 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_784 = V_0; NullCheck(L_783); IL2CPP_ARRAY_BOUNDS_CHECK(L_783, (((int32_t)((uint8_t)L_784)))); int32_t L_785 = (((int32_t)((uint8_t)L_784))); UInt32U5BU5D_t2133601851* L_786 = ___ekey; NullCheck(L_786); IL2CPP_ARRAY_BOUNDS_CHECK(L_786, ((int32_t)57)); int32_t L_787 = ((int32_t)57); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_774)->GetAt(static_cast<il2cpp_array_size_t>(L_776)))^(int32_t)((L_777)->GetAt(static_cast<il2cpp_array_size_t>(L_779)))))^(int32_t)((L_780)->GetAt(static_cast<il2cpp_array_size_t>(L_782)))))^(int32_t)((L_783)->GetAt(static_cast<il2cpp_array_size_t>(L_785)))))^(int32_t)((L_786)->GetAt(static_cast<il2cpp_array_size_t>(L_787))))); UInt32U5BU5D_t2133601851* L_788 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_789 = V_4; NullCheck(L_788); IL2CPP_ARRAY_BOUNDS_CHECK(L_788, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_789>>((int32_t)24)))))); uintptr_t L_790 = (((uintptr_t)((int32_t)((uint32_t)L_789>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_791 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_792 = V_3; NullCheck(L_791); IL2CPP_ARRAY_BOUNDS_CHECK(L_791, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_792>>((int32_t)16))))))); int32_t L_793 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_792>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_794 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_795 = V_2; NullCheck(L_794); IL2CPP_ARRAY_BOUNDS_CHECK(L_794, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_795>>8)))))); int32_t L_796 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_795>>8))))); UInt32U5BU5D_t2133601851* L_797 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_798 = V_1; NullCheck(L_797); IL2CPP_ARRAY_BOUNDS_CHECK(L_797, (((int32_t)((uint8_t)L_798)))); int32_t L_799 = (((int32_t)((uint8_t)L_798))); UInt32U5BU5D_t2133601851* L_800 = ___ekey; NullCheck(L_800); IL2CPP_ARRAY_BOUNDS_CHECK(L_800, ((int32_t)58)); int32_t L_801 = ((int32_t)58); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_788)->GetAt(static_cast<il2cpp_array_size_t>(L_790)))^(int32_t)((L_791)->GetAt(static_cast<il2cpp_array_size_t>(L_793)))))^(int32_t)((L_794)->GetAt(static_cast<il2cpp_array_size_t>(L_796)))))^(int32_t)((L_797)->GetAt(static_cast<il2cpp_array_size_t>(L_799)))))^(int32_t)((L_800)->GetAt(static_cast<il2cpp_array_size_t>(L_801))))); UInt32U5BU5D_t2133601851* L_802 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_803 = V_5; NullCheck(L_802); IL2CPP_ARRAY_BOUNDS_CHECK(L_802, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_803>>((int32_t)24)))))); uintptr_t L_804 = (((uintptr_t)((int32_t)((uint32_t)L_803>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_805 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_806 = V_4; NullCheck(L_805); IL2CPP_ARRAY_BOUNDS_CHECK(L_805, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_806>>((int32_t)16))))))); int32_t L_807 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_806>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_808 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_809 = V_3; NullCheck(L_808); IL2CPP_ARRAY_BOUNDS_CHECK(L_808, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_809>>8)))))); int32_t L_810 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_809>>8))))); UInt32U5BU5D_t2133601851* L_811 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_812 = V_2; NullCheck(L_811); IL2CPP_ARRAY_BOUNDS_CHECK(L_811, (((int32_t)((uint8_t)L_812)))); int32_t L_813 = (((int32_t)((uint8_t)L_812))); UInt32U5BU5D_t2133601851* L_814 = ___ekey; NullCheck(L_814); IL2CPP_ARRAY_BOUNDS_CHECK(L_814, ((int32_t)59)); int32_t L_815 = ((int32_t)59); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_802)->GetAt(static_cast<il2cpp_array_size_t>(L_804)))^(int32_t)((L_805)->GetAt(static_cast<il2cpp_array_size_t>(L_807)))))^(int32_t)((L_808)->GetAt(static_cast<il2cpp_array_size_t>(L_810)))))^(int32_t)((L_811)->GetAt(static_cast<il2cpp_array_size_t>(L_813)))))^(int32_t)((L_814)->GetAt(static_cast<il2cpp_array_size_t>(L_815))))); UInt32U5BU5D_t2133601851* L_816 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_817 = V_6; NullCheck(L_816); IL2CPP_ARRAY_BOUNDS_CHECK(L_816, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_817>>((int32_t)24)))))); uintptr_t L_818 = (((uintptr_t)((int32_t)((uint32_t)L_817>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_819 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_820 = V_11; NullCheck(L_819); IL2CPP_ARRAY_BOUNDS_CHECK(L_819, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_820>>((int32_t)16))))))); int32_t L_821 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_820>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_822 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_823 = V_10; NullCheck(L_822); IL2CPP_ARRAY_BOUNDS_CHECK(L_822, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_823>>8)))))); int32_t L_824 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_823>>8))))); UInt32U5BU5D_t2133601851* L_825 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_826 = V_9; NullCheck(L_825); IL2CPP_ARRAY_BOUNDS_CHECK(L_825, (((int32_t)((uint8_t)L_826)))); int32_t L_827 = (((int32_t)((uint8_t)L_826))); UInt32U5BU5D_t2133601851* L_828 = ___ekey; NullCheck(L_828); IL2CPP_ARRAY_BOUNDS_CHECK(L_828, ((int32_t)60)); int32_t L_829 = ((int32_t)60); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_816)->GetAt(static_cast<il2cpp_array_size_t>(L_818)))^(int32_t)((L_819)->GetAt(static_cast<il2cpp_array_size_t>(L_821)))))^(int32_t)((L_822)->GetAt(static_cast<il2cpp_array_size_t>(L_824)))))^(int32_t)((L_825)->GetAt(static_cast<il2cpp_array_size_t>(L_827)))))^(int32_t)((L_828)->GetAt(static_cast<il2cpp_array_size_t>(L_829))))); UInt32U5BU5D_t2133601851* L_830 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_831 = V_7; NullCheck(L_830); IL2CPP_ARRAY_BOUNDS_CHECK(L_830, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_831>>((int32_t)24)))))); uintptr_t L_832 = (((uintptr_t)((int32_t)((uint32_t)L_831>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_833 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_834 = V_6; NullCheck(L_833); IL2CPP_ARRAY_BOUNDS_CHECK(L_833, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_834>>((int32_t)16))))))); int32_t L_835 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_834>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_836 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_837 = V_11; NullCheck(L_836); IL2CPP_ARRAY_BOUNDS_CHECK(L_836, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_837>>8)))))); int32_t L_838 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_837>>8))))); UInt32U5BU5D_t2133601851* L_839 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_840 = V_10; NullCheck(L_839); IL2CPP_ARRAY_BOUNDS_CHECK(L_839, (((int32_t)((uint8_t)L_840)))); int32_t L_841 = (((int32_t)((uint8_t)L_840))); UInt32U5BU5D_t2133601851* L_842 = ___ekey; NullCheck(L_842); IL2CPP_ARRAY_BOUNDS_CHECK(L_842, ((int32_t)61)); int32_t L_843 = ((int32_t)61); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_830)->GetAt(static_cast<il2cpp_array_size_t>(L_832)))^(int32_t)((L_833)->GetAt(static_cast<il2cpp_array_size_t>(L_835)))))^(int32_t)((L_836)->GetAt(static_cast<il2cpp_array_size_t>(L_838)))))^(int32_t)((L_839)->GetAt(static_cast<il2cpp_array_size_t>(L_841)))))^(int32_t)((L_842)->GetAt(static_cast<il2cpp_array_size_t>(L_843))))); UInt32U5BU5D_t2133601851* L_844 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_845 = V_8; NullCheck(L_844); IL2CPP_ARRAY_BOUNDS_CHECK(L_844, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_845>>((int32_t)24)))))); uintptr_t L_846 = (((uintptr_t)((int32_t)((uint32_t)L_845>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_847 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_848 = V_7; NullCheck(L_847); IL2CPP_ARRAY_BOUNDS_CHECK(L_847, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_848>>((int32_t)16))))))); int32_t L_849 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_848>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_850 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_851 = V_6; NullCheck(L_850); IL2CPP_ARRAY_BOUNDS_CHECK(L_850, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_851>>8)))))); int32_t L_852 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_851>>8))))); UInt32U5BU5D_t2133601851* L_853 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_854 = V_11; NullCheck(L_853); IL2CPP_ARRAY_BOUNDS_CHECK(L_853, (((int32_t)((uint8_t)L_854)))); int32_t L_855 = (((int32_t)((uint8_t)L_854))); UInt32U5BU5D_t2133601851* L_856 = ___ekey; NullCheck(L_856); IL2CPP_ARRAY_BOUNDS_CHECK(L_856, ((int32_t)62)); int32_t L_857 = ((int32_t)62); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_844)->GetAt(static_cast<il2cpp_array_size_t>(L_846)))^(int32_t)((L_847)->GetAt(static_cast<il2cpp_array_size_t>(L_849)))))^(int32_t)((L_850)->GetAt(static_cast<il2cpp_array_size_t>(L_852)))))^(int32_t)((L_853)->GetAt(static_cast<il2cpp_array_size_t>(L_855)))))^(int32_t)((L_856)->GetAt(static_cast<il2cpp_array_size_t>(L_857))))); UInt32U5BU5D_t2133601851* L_858 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_859 = V_9; NullCheck(L_858); IL2CPP_ARRAY_BOUNDS_CHECK(L_858, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_859>>((int32_t)24)))))); uintptr_t L_860 = (((uintptr_t)((int32_t)((uint32_t)L_859>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_861 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_862 = V_8; NullCheck(L_861); IL2CPP_ARRAY_BOUNDS_CHECK(L_861, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_862>>((int32_t)16))))))); int32_t L_863 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_862>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_864 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_865 = V_7; NullCheck(L_864); IL2CPP_ARRAY_BOUNDS_CHECK(L_864, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_865>>8)))))); int32_t L_866 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_865>>8))))); UInt32U5BU5D_t2133601851* L_867 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_868 = V_6; NullCheck(L_867); IL2CPP_ARRAY_BOUNDS_CHECK(L_867, (((int32_t)((uint8_t)L_868)))); int32_t L_869 = (((int32_t)((uint8_t)L_868))); UInt32U5BU5D_t2133601851* L_870 = ___ekey; NullCheck(L_870); IL2CPP_ARRAY_BOUNDS_CHECK(L_870, ((int32_t)63)); int32_t L_871 = ((int32_t)63); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_858)->GetAt(static_cast<il2cpp_array_size_t>(L_860)))^(int32_t)((L_861)->GetAt(static_cast<il2cpp_array_size_t>(L_863)))))^(int32_t)((L_864)->GetAt(static_cast<il2cpp_array_size_t>(L_866)))))^(int32_t)((L_867)->GetAt(static_cast<il2cpp_array_size_t>(L_869)))))^(int32_t)((L_870)->GetAt(static_cast<il2cpp_array_size_t>(L_871))))); UInt32U5BU5D_t2133601851* L_872 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_873 = V_10; NullCheck(L_872); IL2CPP_ARRAY_BOUNDS_CHECK(L_872, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_873>>((int32_t)24)))))); uintptr_t L_874 = (((uintptr_t)((int32_t)((uint32_t)L_873>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_875 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_876 = V_9; NullCheck(L_875); IL2CPP_ARRAY_BOUNDS_CHECK(L_875, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_876>>((int32_t)16))))))); int32_t L_877 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_876>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_878 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_879 = V_8; NullCheck(L_878); IL2CPP_ARRAY_BOUNDS_CHECK(L_878, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_879>>8)))))); int32_t L_880 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_879>>8))))); UInt32U5BU5D_t2133601851* L_881 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_882 = V_7; NullCheck(L_881); IL2CPP_ARRAY_BOUNDS_CHECK(L_881, (((int32_t)((uint8_t)L_882)))); int32_t L_883 = (((int32_t)((uint8_t)L_882))); UInt32U5BU5D_t2133601851* L_884 = ___ekey; NullCheck(L_884); IL2CPP_ARRAY_BOUNDS_CHECK(L_884, ((int32_t)64)); int32_t L_885 = ((int32_t)64); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_872)->GetAt(static_cast<il2cpp_array_size_t>(L_874)))^(int32_t)((L_875)->GetAt(static_cast<il2cpp_array_size_t>(L_877)))))^(int32_t)((L_878)->GetAt(static_cast<il2cpp_array_size_t>(L_880)))))^(int32_t)((L_881)->GetAt(static_cast<il2cpp_array_size_t>(L_883)))))^(int32_t)((L_884)->GetAt(static_cast<il2cpp_array_size_t>(L_885))))); UInt32U5BU5D_t2133601851* L_886 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_887 = V_11; NullCheck(L_886); IL2CPP_ARRAY_BOUNDS_CHECK(L_886, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_887>>((int32_t)24)))))); uintptr_t L_888 = (((uintptr_t)((int32_t)((uint32_t)L_887>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_889 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_890 = V_10; NullCheck(L_889); IL2CPP_ARRAY_BOUNDS_CHECK(L_889, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_890>>((int32_t)16))))))); int32_t L_891 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_890>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_892 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_893 = V_9; NullCheck(L_892); IL2CPP_ARRAY_BOUNDS_CHECK(L_892, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_893>>8)))))); int32_t L_894 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_893>>8))))); UInt32U5BU5D_t2133601851* L_895 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_896 = V_8; NullCheck(L_895); IL2CPP_ARRAY_BOUNDS_CHECK(L_895, (((int32_t)((uint8_t)L_896)))); int32_t L_897 = (((int32_t)((uint8_t)L_896))); UInt32U5BU5D_t2133601851* L_898 = ___ekey; NullCheck(L_898); IL2CPP_ARRAY_BOUNDS_CHECK(L_898, ((int32_t)65)); int32_t L_899 = ((int32_t)65); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_886)->GetAt(static_cast<il2cpp_array_size_t>(L_888)))^(int32_t)((L_889)->GetAt(static_cast<il2cpp_array_size_t>(L_891)))))^(int32_t)((L_892)->GetAt(static_cast<il2cpp_array_size_t>(L_894)))))^(int32_t)((L_895)->GetAt(static_cast<il2cpp_array_size_t>(L_897)))))^(int32_t)((L_898)->GetAt(static_cast<il2cpp_array_size_t>(L_899))))); UInt32U5BU5D_t2133601851* L_900 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_901 = V_0; NullCheck(L_900); IL2CPP_ARRAY_BOUNDS_CHECK(L_900, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_901>>((int32_t)24)))))); uintptr_t L_902 = (((uintptr_t)((int32_t)((uint32_t)L_901>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_903 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_904 = V_5; NullCheck(L_903); IL2CPP_ARRAY_BOUNDS_CHECK(L_903, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_904>>((int32_t)16))))))); int32_t L_905 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_904>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_906 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_907 = V_4; NullCheck(L_906); IL2CPP_ARRAY_BOUNDS_CHECK(L_906, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_907>>8)))))); int32_t L_908 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_907>>8))))); UInt32U5BU5D_t2133601851* L_909 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_910 = V_3; NullCheck(L_909); IL2CPP_ARRAY_BOUNDS_CHECK(L_909, (((int32_t)((uint8_t)L_910)))); int32_t L_911 = (((int32_t)((uint8_t)L_910))); UInt32U5BU5D_t2133601851* L_912 = ___ekey; NullCheck(L_912); IL2CPP_ARRAY_BOUNDS_CHECK(L_912, ((int32_t)66)); int32_t L_913 = ((int32_t)66); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_900)->GetAt(static_cast<il2cpp_array_size_t>(L_902)))^(int32_t)((L_903)->GetAt(static_cast<il2cpp_array_size_t>(L_905)))))^(int32_t)((L_906)->GetAt(static_cast<il2cpp_array_size_t>(L_908)))))^(int32_t)((L_909)->GetAt(static_cast<il2cpp_array_size_t>(L_911)))))^(int32_t)((L_912)->GetAt(static_cast<il2cpp_array_size_t>(L_913))))); UInt32U5BU5D_t2133601851* L_914 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_915 = V_1; NullCheck(L_914); IL2CPP_ARRAY_BOUNDS_CHECK(L_914, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_915>>((int32_t)24)))))); uintptr_t L_916 = (((uintptr_t)((int32_t)((uint32_t)L_915>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_917 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_918 = V_0; NullCheck(L_917); IL2CPP_ARRAY_BOUNDS_CHECK(L_917, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_918>>((int32_t)16))))))); int32_t L_919 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_918>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_920 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_921 = V_5; NullCheck(L_920); IL2CPP_ARRAY_BOUNDS_CHECK(L_920, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_921>>8)))))); int32_t L_922 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_921>>8))))); UInt32U5BU5D_t2133601851* L_923 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_924 = V_4; NullCheck(L_923); IL2CPP_ARRAY_BOUNDS_CHECK(L_923, (((int32_t)((uint8_t)L_924)))); int32_t L_925 = (((int32_t)((uint8_t)L_924))); UInt32U5BU5D_t2133601851* L_926 = ___ekey; NullCheck(L_926); IL2CPP_ARRAY_BOUNDS_CHECK(L_926, ((int32_t)67)); int32_t L_927 = ((int32_t)67); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_914)->GetAt(static_cast<il2cpp_array_size_t>(L_916)))^(int32_t)((L_917)->GetAt(static_cast<il2cpp_array_size_t>(L_919)))))^(int32_t)((L_920)->GetAt(static_cast<il2cpp_array_size_t>(L_922)))))^(int32_t)((L_923)->GetAt(static_cast<il2cpp_array_size_t>(L_925)))))^(int32_t)((L_926)->GetAt(static_cast<il2cpp_array_size_t>(L_927))))); UInt32U5BU5D_t2133601851* L_928 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_929 = V_2; NullCheck(L_928); IL2CPP_ARRAY_BOUNDS_CHECK(L_928, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_929>>((int32_t)24)))))); uintptr_t L_930 = (((uintptr_t)((int32_t)((uint32_t)L_929>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_931 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_932 = V_1; NullCheck(L_931); IL2CPP_ARRAY_BOUNDS_CHECK(L_931, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_932>>((int32_t)16))))))); int32_t L_933 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_932>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_934 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_935 = V_0; NullCheck(L_934); IL2CPP_ARRAY_BOUNDS_CHECK(L_934, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_935>>8)))))); int32_t L_936 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_935>>8))))); UInt32U5BU5D_t2133601851* L_937 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_938 = V_5; NullCheck(L_937); IL2CPP_ARRAY_BOUNDS_CHECK(L_937, (((int32_t)((uint8_t)L_938)))); int32_t L_939 = (((int32_t)((uint8_t)L_938))); UInt32U5BU5D_t2133601851* L_940 = ___ekey; NullCheck(L_940); IL2CPP_ARRAY_BOUNDS_CHECK(L_940, ((int32_t)68)); int32_t L_941 = ((int32_t)68); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_928)->GetAt(static_cast<il2cpp_array_size_t>(L_930)))^(int32_t)((L_931)->GetAt(static_cast<il2cpp_array_size_t>(L_933)))))^(int32_t)((L_934)->GetAt(static_cast<il2cpp_array_size_t>(L_936)))))^(int32_t)((L_937)->GetAt(static_cast<il2cpp_array_size_t>(L_939)))))^(int32_t)((L_940)->GetAt(static_cast<il2cpp_array_size_t>(L_941))))); UInt32U5BU5D_t2133601851* L_942 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_943 = V_3; NullCheck(L_942); IL2CPP_ARRAY_BOUNDS_CHECK(L_942, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_943>>((int32_t)24)))))); uintptr_t L_944 = (((uintptr_t)((int32_t)((uint32_t)L_943>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_945 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_946 = V_2; NullCheck(L_945); IL2CPP_ARRAY_BOUNDS_CHECK(L_945, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_946>>((int32_t)16))))))); int32_t L_947 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_946>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_948 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_949 = V_1; NullCheck(L_948); IL2CPP_ARRAY_BOUNDS_CHECK(L_948, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_949>>8)))))); int32_t L_950 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_949>>8))))); UInt32U5BU5D_t2133601851* L_951 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_952 = V_0; NullCheck(L_951); IL2CPP_ARRAY_BOUNDS_CHECK(L_951, (((int32_t)((uint8_t)L_952)))); int32_t L_953 = (((int32_t)((uint8_t)L_952))); UInt32U5BU5D_t2133601851* L_954 = ___ekey; NullCheck(L_954); IL2CPP_ARRAY_BOUNDS_CHECK(L_954, ((int32_t)69)); int32_t L_955 = ((int32_t)69); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_942)->GetAt(static_cast<il2cpp_array_size_t>(L_944)))^(int32_t)((L_945)->GetAt(static_cast<il2cpp_array_size_t>(L_947)))))^(int32_t)((L_948)->GetAt(static_cast<il2cpp_array_size_t>(L_950)))))^(int32_t)((L_951)->GetAt(static_cast<il2cpp_array_size_t>(L_953)))))^(int32_t)((L_954)->GetAt(static_cast<il2cpp_array_size_t>(L_955))))); UInt32U5BU5D_t2133601851* L_956 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_957 = V_4; NullCheck(L_956); IL2CPP_ARRAY_BOUNDS_CHECK(L_956, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_957>>((int32_t)24)))))); uintptr_t L_958 = (((uintptr_t)((int32_t)((uint32_t)L_957>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_959 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_960 = V_3; NullCheck(L_959); IL2CPP_ARRAY_BOUNDS_CHECK(L_959, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_960>>((int32_t)16))))))); int32_t L_961 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_960>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_962 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_963 = V_2; NullCheck(L_962); IL2CPP_ARRAY_BOUNDS_CHECK(L_962, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_963>>8)))))); int32_t L_964 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_963>>8))))); UInt32U5BU5D_t2133601851* L_965 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_966 = V_1; NullCheck(L_965); IL2CPP_ARRAY_BOUNDS_CHECK(L_965, (((int32_t)((uint8_t)L_966)))); int32_t L_967 = (((int32_t)((uint8_t)L_966))); UInt32U5BU5D_t2133601851* L_968 = ___ekey; NullCheck(L_968); IL2CPP_ARRAY_BOUNDS_CHECK(L_968, ((int32_t)70)); int32_t L_969 = ((int32_t)70); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_956)->GetAt(static_cast<il2cpp_array_size_t>(L_958)))^(int32_t)((L_959)->GetAt(static_cast<il2cpp_array_size_t>(L_961)))))^(int32_t)((L_962)->GetAt(static_cast<il2cpp_array_size_t>(L_964)))))^(int32_t)((L_965)->GetAt(static_cast<il2cpp_array_size_t>(L_967)))))^(int32_t)((L_968)->GetAt(static_cast<il2cpp_array_size_t>(L_969))))); UInt32U5BU5D_t2133601851* L_970 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_971 = V_5; NullCheck(L_970); IL2CPP_ARRAY_BOUNDS_CHECK(L_970, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_971>>((int32_t)24)))))); uintptr_t L_972 = (((uintptr_t)((int32_t)((uint32_t)L_971>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_973 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_974 = V_4; NullCheck(L_973); IL2CPP_ARRAY_BOUNDS_CHECK(L_973, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_974>>((int32_t)16))))))); int32_t L_975 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_974>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_976 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_977 = V_3; NullCheck(L_976); IL2CPP_ARRAY_BOUNDS_CHECK(L_976, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_977>>8)))))); int32_t L_978 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_977>>8))))); UInt32U5BU5D_t2133601851* L_979 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_980 = V_2; NullCheck(L_979); IL2CPP_ARRAY_BOUNDS_CHECK(L_979, (((int32_t)((uint8_t)L_980)))); int32_t L_981 = (((int32_t)((uint8_t)L_980))); UInt32U5BU5D_t2133601851* L_982 = ___ekey; NullCheck(L_982); IL2CPP_ARRAY_BOUNDS_CHECK(L_982, ((int32_t)71)); int32_t L_983 = ((int32_t)71); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_970)->GetAt(static_cast<il2cpp_array_size_t>(L_972)))^(int32_t)((L_973)->GetAt(static_cast<il2cpp_array_size_t>(L_975)))))^(int32_t)((L_976)->GetAt(static_cast<il2cpp_array_size_t>(L_978)))))^(int32_t)((L_979)->GetAt(static_cast<il2cpp_array_size_t>(L_981)))))^(int32_t)((L_982)->GetAt(static_cast<il2cpp_array_size_t>(L_983))))); int32_t L_984 = __this->get_Nr_15(); if ((((int32_t)L_984) <= ((int32_t)((int32_t)12)))) { goto IL_10b7; } } { IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_985 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_986 = V_6; NullCheck(L_985); IL2CPP_ARRAY_BOUNDS_CHECK(L_985, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_986>>((int32_t)24)))))); uintptr_t L_987 = (((uintptr_t)((int32_t)((uint32_t)L_986>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_988 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_989 = V_11; NullCheck(L_988); IL2CPP_ARRAY_BOUNDS_CHECK(L_988, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_989>>((int32_t)16))))))); int32_t L_990 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_989>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_991 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_992 = V_10; NullCheck(L_991); IL2CPP_ARRAY_BOUNDS_CHECK(L_991, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_992>>8)))))); int32_t L_993 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_992>>8))))); UInt32U5BU5D_t2133601851* L_994 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_995 = V_9; NullCheck(L_994); IL2CPP_ARRAY_BOUNDS_CHECK(L_994, (((int32_t)((uint8_t)L_995)))); int32_t L_996 = (((int32_t)((uint8_t)L_995))); UInt32U5BU5D_t2133601851* L_997 = ___ekey; NullCheck(L_997); IL2CPP_ARRAY_BOUNDS_CHECK(L_997, ((int32_t)72)); int32_t L_998 = ((int32_t)72); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_985)->GetAt(static_cast<il2cpp_array_size_t>(L_987)))^(int32_t)((L_988)->GetAt(static_cast<il2cpp_array_size_t>(L_990)))))^(int32_t)((L_991)->GetAt(static_cast<il2cpp_array_size_t>(L_993)))))^(int32_t)((L_994)->GetAt(static_cast<il2cpp_array_size_t>(L_996)))))^(int32_t)((L_997)->GetAt(static_cast<il2cpp_array_size_t>(L_998))))); UInt32U5BU5D_t2133601851* L_999 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1000 = V_7; NullCheck(L_999); IL2CPP_ARRAY_BOUNDS_CHECK(L_999, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1000>>((int32_t)24)))))); uintptr_t L_1001 = (((uintptr_t)((int32_t)((uint32_t)L_1000>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1002 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1003 = V_6; NullCheck(L_1002); IL2CPP_ARRAY_BOUNDS_CHECK(L_1002, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1003>>((int32_t)16))))))); int32_t L_1004 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1003>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1005 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1006 = V_11; NullCheck(L_1005); IL2CPP_ARRAY_BOUNDS_CHECK(L_1005, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1006>>8)))))); int32_t L_1007 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1006>>8))))); UInt32U5BU5D_t2133601851* L_1008 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1009 = V_10; NullCheck(L_1008); IL2CPP_ARRAY_BOUNDS_CHECK(L_1008, (((int32_t)((uint8_t)L_1009)))); int32_t L_1010 = (((int32_t)((uint8_t)L_1009))); UInt32U5BU5D_t2133601851* L_1011 = ___ekey; NullCheck(L_1011); IL2CPP_ARRAY_BOUNDS_CHECK(L_1011, ((int32_t)73)); int32_t L_1012 = ((int32_t)73); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_999)->GetAt(static_cast<il2cpp_array_size_t>(L_1001)))^(int32_t)((L_1002)->GetAt(static_cast<il2cpp_array_size_t>(L_1004)))))^(int32_t)((L_1005)->GetAt(static_cast<il2cpp_array_size_t>(L_1007)))))^(int32_t)((L_1008)->GetAt(static_cast<il2cpp_array_size_t>(L_1010)))))^(int32_t)((L_1011)->GetAt(static_cast<il2cpp_array_size_t>(L_1012))))); UInt32U5BU5D_t2133601851* L_1013 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1014 = V_8; NullCheck(L_1013); IL2CPP_ARRAY_BOUNDS_CHECK(L_1013, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1014>>((int32_t)24)))))); uintptr_t L_1015 = (((uintptr_t)((int32_t)((uint32_t)L_1014>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1016 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1017 = V_7; NullCheck(L_1016); IL2CPP_ARRAY_BOUNDS_CHECK(L_1016, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1017>>((int32_t)16))))))); int32_t L_1018 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1017>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1019 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1020 = V_6; NullCheck(L_1019); IL2CPP_ARRAY_BOUNDS_CHECK(L_1019, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1020>>8)))))); int32_t L_1021 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1020>>8))))); UInt32U5BU5D_t2133601851* L_1022 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1023 = V_11; NullCheck(L_1022); IL2CPP_ARRAY_BOUNDS_CHECK(L_1022, (((int32_t)((uint8_t)L_1023)))); int32_t L_1024 = (((int32_t)((uint8_t)L_1023))); UInt32U5BU5D_t2133601851* L_1025 = ___ekey; NullCheck(L_1025); IL2CPP_ARRAY_BOUNDS_CHECK(L_1025, ((int32_t)74)); int32_t L_1026 = ((int32_t)74); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1013)->GetAt(static_cast<il2cpp_array_size_t>(L_1015)))^(int32_t)((L_1016)->GetAt(static_cast<il2cpp_array_size_t>(L_1018)))))^(int32_t)((L_1019)->GetAt(static_cast<il2cpp_array_size_t>(L_1021)))))^(int32_t)((L_1022)->GetAt(static_cast<il2cpp_array_size_t>(L_1024)))))^(int32_t)((L_1025)->GetAt(static_cast<il2cpp_array_size_t>(L_1026))))); UInt32U5BU5D_t2133601851* L_1027 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1028 = V_9; NullCheck(L_1027); IL2CPP_ARRAY_BOUNDS_CHECK(L_1027, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1028>>((int32_t)24)))))); uintptr_t L_1029 = (((uintptr_t)((int32_t)((uint32_t)L_1028>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1030 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1031 = V_8; NullCheck(L_1030); IL2CPP_ARRAY_BOUNDS_CHECK(L_1030, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1031>>((int32_t)16))))))); int32_t L_1032 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1031>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1033 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1034 = V_7; NullCheck(L_1033); IL2CPP_ARRAY_BOUNDS_CHECK(L_1033, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1034>>8)))))); int32_t L_1035 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1034>>8))))); UInt32U5BU5D_t2133601851* L_1036 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1037 = V_6; NullCheck(L_1036); IL2CPP_ARRAY_BOUNDS_CHECK(L_1036, (((int32_t)((uint8_t)L_1037)))); int32_t L_1038 = (((int32_t)((uint8_t)L_1037))); UInt32U5BU5D_t2133601851* L_1039 = ___ekey; NullCheck(L_1039); IL2CPP_ARRAY_BOUNDS_CHECK(L_1039, ((int32_t)75)); int32_t L_1040 = ((int32_t)75); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1027)->GetAt(static_cast<il2cpp_array_size_t>(L_1029)))^(int32_t)((L_1030)->GetAt(static_cast<il2cpp_array_size_t>(L_1032)))))^(int32_t)((L_1033)->GetAt(static_cast<il2cpp_array_size_t>(L_1035)))))^(int32_t)((L_1036)->GetAt(static_cast<il2cpp_array_size_t>(L_1038)))))^(int32_t)((L_1039)->GetAt(static_cast<il2cpp_array_size_t>(L_1040))))); UInt32U5BU5D_t2133601851* L_1041 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1042 = V_10; NullCheck(L_1041); IL2CPP_ARRAY_BOUNDS_CHECK(L_1041, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1042>>((int32_t)24)))))); uintptr_t L_1043 = (((uintptr_t)((int32_t)((uint32_t)L_1042>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1044 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1045 = V_9; NullCheck(L_1044); IL2CPP_ARRAY_BOUNDS_CHECK(L_1044, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1045>>((int32_t)16))))))); int32_t L_1046 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1045>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1047 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1048 = V_8; NullCheck(L_1047); IL2CPP_ARRAY_BOUNDS_CHECK(L_1047, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1048>>8)))))); int32_t L_1049 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1048>>8))))); UInt32U5BU5D_t2133601851* L_1050 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1051 = V_7; NullCheck(L_1050); IL2CPP_ARRAY_BOUNDS_CHECK(L_1050, (((int32_t)((uint8_t)L_1051)))); int32_t L_1052 = (((int32_t)((uint8_t)L_1051))); UInt32U5BU5D_t2133601851* L_1053 = ___ekey; NullCheck(L_1053); IL2CPP_ARRAY_BOUNDS_CHECK(L_1053, ((int32_t)76)); int32_t L_1054 = ((int32_t)76); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1041)->GetAt(static_cast<il2cpp_array_size_t>(L_1043)))^(int32_t)((L_1044)->GetAt(static_cast<il2cpp_array_size_t>(L_1046)))))^(int32_t)((L_1047)->GetAt(static_cast<il2cpp_array_size_t>(L_1049)))))^(int32_t)((L_1050)->GetAt(static_cast<il2cpp_array_size_t>(L_1052)))))^(int32_t)((L_1053)->GetAt(static_cast<il2cpp_array_size_t>(L_1054))))); UInt32U5BU5D_t2133601851* L_1055 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1056 = V_11; NullCheck(L_1055); IL2CPP_ARRAY_BOUNDS_CHECK(L_1055, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1056>>((int32_t)24)))))); uintptr_t L_1057 = (((uintptr_t)((int32_t)((uint32_t)L_1056>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1058 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1059 = V_10; NullCheck(L_1058); IL2CPP_ARRAY_BOUNDS_CHECK(L_1058, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1059>>((int32_t)16))))))); int32_t L_1060 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1059>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1061 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1062 = V_9; NullCheck(L_1061); IL2CPP_ARRAY_BOUNDS_CHECK(L_1061, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1062>>8)))))); int32_t L_1063 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1062>>8))))); UInt32U5BU5D_t2133601851* L_1064 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1065 = V_8; NullCheck(L_1064); IL2CPP_ARRAY_BOUNDS_CHECK(L_1064, (((int32_t)((uint8_t)L_1065)))); int32_t L_1066 = (((int32_t)((uint8_t)L_1065))); UInt32U5BU5D_t2133601851* L_1067 = ___ekey; NullCheck(L_1067); IL2CPP_ARRAY_BOUNDS_CHECK(L_1067, ((int32_t)77)); int32_t L_1068 = ((int32_t)77); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1055)->GetAt(static_cast<il2cpp_array_size_t>(L_1057)))^(int32_t)((L_1058)->GetAt(static_cast<il2cpp_array_size_t>(L_1060)))))^(int32_t)((L_1061)->GetAt(static_cast<il2cpp_array_size_t>(L_1063)))))^(int32_t)((L_1064)->GetAt(static_cast<il2cpp_array_size_t>(L_1066)))))^(int32_t)((L_1067)->GetAt(static_cast<il2cpp_array_size_t>(L_1068))))); UInt32U5BU5D_t2133601851* L_1069 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1070 = V_0; NullCheck(L_1069); IL2CPP_ARRAY_BOUNDS_CHECK(L_1069, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1070>>((int32_t)24)))))); uintptr_t L_1071 = (((uintptr_t)((int32_t)((uint32_t)L_1070>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1072 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1073 = V_5; NullCheck(L_1072); IL2CPP_ARRAY_BOUNDS_CHECK(L_1072, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1073>>((int32_t)16))))))); int32_t L_1074 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1073>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1075 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1076 = V_4; NullCheck(L_1075); IL2CPP_ARRAY_BOUNDS_CHECK(L_1075, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1076>>8)))))); int32_t L_1077 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1076>>8))))); UInt32U5BU5D_t2133601851* L_1078 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1079 = V_3; NullCheck(L_1078); IL2CPP_ARRAY_BOUNDS_CHECK(L_1078, (((int32_t)((uint8_t)L_1079)))); int32_t L_1080 = (((int32_t)((uint8_t)L_1079))); UInt32U5BU5D_t2133601851* L_1081 = ___ekey; NullCheck(L_1081); IL2CPP_ARRAY_BOUNDS_CHECK(L_1081, ((int32_t)78)); int32_t L_1082 = ((int32_t)78); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1069)->GetAt(static_cast<il2cpp_array_size_t>(L_1071)))^(int32_t)((L_1072)->GetAt(static_cast<il2cpp_array_size_t>(L_1074)))))^(int32_t)((L_1075)->GetAt(static_cast<il2cpp_array_size_t>(L_1077)))))^(int32_t)((L_1078)->GetAt(static_cast<il2cpp_array_size_t>(L_1080)))))^(int32_t)((L_1081)->GetAt(static_cast<il2cpp_array_size_t>(L_1082))))); UInt32U5BU5D_t2133601851* L_1083 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1084 = V_1; NullCheck(L_1083); IL2CPP_ARRAY_BOUNDS_CHECK(L_1083, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1084>>((int32_t)24)))))); uintptr_t L_1085 = (((uintptr_t)((int32_t)((uint32_t)L_1084>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1086 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1087 = V_0; NullCheck(L_1086); IL2CPP_ARRAY_BOUNDS_CHECK(L_1086, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1087>>((int32_t)16))))))); int32_t L_1088 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1087>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1089 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1090 = V_5; NullCheck(L_1089); IL2CPP_ARRAY_BOUNDS_CHECK(L_1089, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1090>>8)))))); int32_t L_1091 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1090>>8))))); UInt32U5BU5D_t2133601851* L_1092 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1093 = V_4; NullCheck(L_1092); IL2CPP_ARRAY_BOUNDS_CHECK(L_1092, (((int32_t)((uint8_t)L_1093)))); int32_t L_1094 = (((int32_t)((uint8_t)L_1093))); UInt32U5BU5D_t2133601851* L_1095 = ___ekey; NullCheck(L_1095); IL2CPP_ARRAY_BOUNDS_CHECK(L_1095, ((int32_t)79)); int32_t L_1096 = ((int32_t)79); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1083)->GetAt(static_cast<il2cpp_array_size_t>(L_1085)))^(int32_t)((L_1086)->GetAt(static_cast<il2cpp_array_size_t>(L_1088)))))^(int32_t)((L_1089)->GetAt(static_cast<il2cpp_array_size_t>(L_1091)))))^(int32_t)((L_1092)->GetAt(static_cast<il2cpp_array_size_t>(L_1094)))))^(int32_t)((L_1095)->GetAt(static_cast<il2cpp_array_size_t>(L_1096))))); UInt32U5BU5D_t2133601851* L_1097 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1098 = V_2; NullCheck(L_1097); IL2CPP_ARRAY_BOUNDS_CHECK(L_1097, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1098>>((int32_t)24)))))); uintptr_t L_1099 = (((uintptr_t)((int32_t)((uint32_t)L_1098>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1100 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1101 = V_1; NullCheck(L_1100); IL2CPP_ARRAY_BOUNDS_CHECK(L_1100, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1101>>((int32_t)16))))))); int32_t L_1102 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1101>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1103 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1104 = V_0; NullCheck(L_1103); IL2CPP_ARRAY_BOUNDS_CHECK(L_1103, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1104>>8)))))); int32_t L_1105 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1104>>8))))); UInt32U5BU5D_t2133601851* L_1106 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1107 = V_5; NullCheck(L_1106); IL2CPP_ARRAY_BOUNDS_CHECK(L_1106, (((int32_t)((uint8_t)L_1107)))); int32_t L_1108 = (((int32_t)((uint8_t)L_1107))); UInt32U5BU5D_t2133601851* L_1109 = ___ekey; NullCheck(L_1109); IL2CPP_ARRAY_BOUNDS_CHECK(L_1109, ((int32_t)80)); int32_t L_1110 = ((int32_t)80); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1097)->GetAt(static_cast<il2cpp_array_size_t>(L_1099)))^(int32_t)((L_1100)->GetAt(static_cast<il2cpp_array_size_t>(L_1102)))))^(int32_t)((L_1103)->GetAt(static_cast<il2cpp_array_size_t>(L_1105)))))^(int32_t)((L_1106)->GetAt(static_cast<il2cpp_array_size_t>(L_1108)))))^(int32_t)((L_1109)->GetAt(static_cast<il2cpp_array_size_t>(L_1110))))); UInt32U5BU5D_t2133601851* L_1111 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1112 = V_3; NullCheck(L_1111); IL2CPP_ARRAY_BOUNDS_CHECK(L_1111, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1112>>((int32_t)24)))))); uintptr_t L_1113 = (((uintptr_t)((int32_t)((uint32_t)L_1112>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1114 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1115 = V_2; NullCheck(L_1114); IL2CPP_ARRAY_BOUNDS_CHECK(L_1114, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1115>>((int32_t)16))))))); int32_t L_1116 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1115>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1117 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1118 = V_1; NullCheck(L_1117); IL2CPP_ARRAY_BOUNDS_CHECK(L_1117, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1118>>8)))))); int32_t L_1119 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1118>>8))))); UInt32U5BU5D_t2133601851* L_1120 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1121 = V_0; NullCheck(L_1120); IL2CPP_ARRAY_BOUNDS_CHECK(L_1120, (((int32_t)((uint8_t)L_1121)))); int32_t L_1122 = (((int32_t)((uint8_t)L_1121))); UInt32U5BU5D_t2133601851* L_1123 = ___ekey; NullCheck(L_1123); IL2CPP_ARRAY_BOUNDS_CHECK(L_1123, ((int32_t)81)); int32_t L_1124 = ((int32_t)81); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1111)->GetAt(static_cast<il2cpp_array_size_t>(L_1113)))^(int32_t)((L_1114)->GetAt(static_cast<il2cpp_array_size_t>(L_1116)))))^(int32_t)((L_1117)->GetAt(static_cast<il2cpp_array_size_t>(L_1119)))))^(int32_t)((L_1120)->GetAt(static_cast<il2cpp_array_size_t>(L_1122)))))^(int32_t)((L_1123)->GetAt(static_cast<il2cpp_array_size_t>(L_1124))))); UInt32U5BU5D_t2133601851* L_1125 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1126 = V_4; NullCheck(L_1125); IL2CPP_ARRAY_BOUNDS_CHECK(L_1125, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1126>>((int32_t)24)))))); uintptr_t L_1127 = (((uintptr_t)((int32_t)((uint32_t)L_1126>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1128 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1129 = V_3; NullCheck(L_1128); IL2CPP_ARRAY_BOUNDS_CHECK(L_1128, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1129>>((int32_t)16))))))); int32_t L_1130 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1129>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1131 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1132 = V_2; NullCheck(L_1131); IL2CPP_ARRAY_BOUNDS_CHECK(L_1131, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1132>>8)))))); int32_t L_1133 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1132>>8))))); UInt32U5BU5D_t2133601851* L_1134 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1135 = V_1; NullCheck(L_1134); IL2CPP_ARRAY_BOUNDS_CHECK(L_1134, (((int32_t)((uint8_t)L_1135)))); int32_t L_1136 = (((int32_t)((uint8_t)L_1135))); UInt32U5BU5D_t2133601851* L_1137 = ___ekey; NullCheck(L_1137); IL2CPP_ARRAY_BOUNDS_CHECK(L_1137, ((int32_t)82)); int32_t L_1138 = ((int32_t)82); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1125)->GetAt(static_cast<il2cpp_array_size_t>(L_1127)))^(int32_t)((L_1128)->GetAt(static_cast<il2cpp_array_size_t>(L_1130)))))^(int32_t)((L_1131)->GetAt(static_cast<il2cpp_array_size_t>(L_1133)))))^(int32_t)((L_1134)->GetAt(static_cast<il2cpp_array_size_t>(L_1136)))))^(int32_t)((L_1137)->GetAt(static_cast<il2cpp_array_size_t>(L_1138))))); UInt32U5BU5D_t2133601851* L_1139 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1140 = V_5; NullCheck(L_1139); IL2CPP_ARRAY_BOUNDS_CHECK(L_1139, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1140>>((int32_t)24)))))); uintptr_t L_1141 = (((uintptr_t)((int32_t)((uint32_t)L_1140>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1142 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1143 = V_4; NullCheck(L_1142); IL2CPP_ARRAY_BOUNDS_CHECK(L_1142, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1143>>((int32_t)16))))))); int32_t L_1144 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1143>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1145 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1146 = V_3; NullCheck(L_1145); IL2CPP_ARRAY_BOUNDS_CHECK(L_1145, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1146>>8)))))); int32_t L_1147 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1146>>8))))); UInt32U5BU5D_t2133601851* L_1148 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1149 = V_2; NullCheck(L_1148); IL2CPP_ARRAY_BOUNDS_CHECK(L_1148, (((int32_t)((uint8_t)L_1149)))); int32_t L_1150 = (((int32_t)((uint8_t)L_1149))); UInt32U5BU5D_t2133601851* L_1151 = ___ekey; NullCheck(L_1151); IL2CPP_ARRAY_BOUNDS_CHECK(L_1151, ((int32_t)83)); int32_t L_1152 = ((int32_t)83); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1139)->GetAt(static_cast<il2cpp_array_size_t>(L_1141)))^(int32_t)((L_1142)->GetAt(static_cast<il2cpp_array_size_t>(L_1144)))))^(int32_t)((L_1145)->GetAt(static_cast<il2cpp_array_size_t>(L_1147)))))^(int32_t)((L_1148)->GetAt(static_cast<il2cpp_array_size_t>(L_1150)))))^(int32_t)((L_1151)->GetAt(static_cast<il2cpp_array_size_t>(L_1152))))); V_12 = ((int32_t)84); } IL_10b7: { ByteU5BU5D_t58506160* L_1153 = ___outdata; IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_1154 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1155 = V_6; NullCheck(L_1154); IL2CPP_ARRAY_BOUNDS_CHECK(L_1154, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1155>>((int32_t)24)))))); uintptr_t L_1156 = (((uintptr_t)((int32_t)((uint32_t)L_1155>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1157 = ___ekey; int32_t L_1158 = V_12; NullCheck(L_1157); IL2CPP_ARRAY_BOUNDS_CHECK(L_1157, L_1158); int32_t L_1159 = L_1158; NullCheck(L_1153); IL2CPP_ARRAY_BOUNDS_CHECK(L_1153, 0); (L_1153)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1154)->GetAt(static_cast<il2cpp_array_size_t>(L_1156)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1157)->GetAt(static_cast<il2cpp_array_size_t>(L_1159)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1160 = ___outdata; ByteU5BU5D_t58506160* L_1161 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1162 = V_11; NullCheck(L_1161); IL2CPP_ARRAY_BOUNDS_CHECK(L_1161, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1162>>((int32_t)16))))))); int32_t L_1163 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1162>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1164 = ___ekey; int32_t L_1165 = V_12; NullCheck(L_1164); IL2CPP_ARRAY_BOUNDS_CHECK(L_1164, L_1165); int32_t L_1166 = L_1165; NullCheck(L_1160); IL2CPP_ARRAY_BOUNDS_CHECK(L_1160, 1); (L_1160)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1161)->GetAt(static_cast<il2cpp_array_size_t>(L_1163)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1164)->GetAt(static_cast<il2cpp_array_size_t>(L_1166)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1167 = ___outdata; ByteU5BU5D_t58506160* L_1168 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1169 = V_10; NullCheck(L_1168); IL2CPP_ARRAY_BOUNDS_CHECK(L_1168, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1169>>8)))))); int32_t L_1170 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1169>>8))))); UInt32U5BU5D_t2133601851* L_1171 = ___ekey; int32_t L_1172 = V_12; NullCheck(L_1171); IL2CPP_ARRAY_BOUNDS_CHECK(L_1171, L_1172); int32_t L_1173 = L_1172; NullCheck(L_1167); IL2CPP_ARRAY_BOUNDS_CHECK(L_1167, 2); (L_1167)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1168)->GetAt(static_cast<il2cpp_array_size_t>(L_1170)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1171)->GetAt(static_cast<il2cpp_array_size_t>(L_1173)))>>8))))))))))); ByteU5BU5D_t58506160* L_1174 = ___outdata; ByteU5BU5D_t58506160* L_1175 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1176 = V_9; NullCheck(L_1175); IL2CPP_ARRAY_BOUNDS_CHECK(L_1175, (((int32_t)((uint8_t)L_1176)))); int32_t L_1177 = (((int32_t)((uint8_t)L_1176))); UInt32U5BU5D_t2133601851* L_1178 = ___ekey; int32_t L_1179 = V_12; int32_t L_1180 = L_1179; V_12 = ((int32_t)((int32_t)L_1180+(int32_t)1)); NullCheck(L_1178); IL2CPP_ARRAY_BOUNDS_CHECK(L_1178, L_1180); int32_t L_1181 = L_1180; NullCheck(L_1174); IL2CPP_ARRAY_BOUNDS_CHECK(L_1174, 3); (L_1174)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1175)->GetAt(static_cast<il2cpp_array_size_t>(L_1177)))^(int32_t)(((int32_t)((uint8_t)((L_1178)->GetAt(static_cast<il2cpp_array_size_t>(L_1181)))))))))))); ByteU5BU5D_t58506160* L_1182 = ___outdata; ByteU5BU5D_t58506160* L_1183 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1184 = V_7; NullCheck(L_1183); IL2CPP_ARRAY_BOUNDS_CHECK(L_1183, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1184>>((int32_t)24)))))); uintptr_t L_1185 = (((uintptr_t)((int32_t)((uint32_t)L_1184>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1186 = ___ekey; int32_t L_1187 = V_12; NullCheck(L_1186); IL2CPP_ARRAY_BOUNDS_CHECK(L_1186, L_1187); int32_t L_1188 = L_1187; NullCheck(L_1182); IL2CPP_ARRAY_BOUNDS_CHECK(L_1182, 4); (L_1182)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1183)->GetAt(static_cast<il2cpp_array_size_t>(L_1185)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1186)->GetAt(static_cast<il2cpp_array_size_t>(L_1188)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1189 = ___outdata; ByteU5BU5D_t58506160* L_1190 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1191 = V_6; NullCheck(L_1190); IL2CPP_ARRAY_BOUNDS_CHECK(L_1190, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1191>>((int32_t)16))))))); int32_t L_1192 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1191>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1193 = ___ekey; int32_t L_1194 = V_12; NullCheck(L_1193); IL2CPP_ARRAY_BOUNDS_CHECK(L_1193, L_1194); int32_t L_1195 = L_1194; NullCheck(L_1189); IL2CPP_ARRAY_BOUNDS_CHECK(L_1189, 5); (L_1189)->SetAt(static_cast<il2cpp_array_size_t>(5), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1190)->GetAt(static_cast<il2cpp_array_size_t>(L_1192)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1193)->GetAt(static_cast<il2cpp_array_size_t>(L_1195)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1196 = ___outdata; ByteU5BU5D_t58506160* L_1197 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1198 = V_11; NullCheck(L_1197); IL2CPP_ARRAY_BOUNDS_CHECK(L_1197, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1198>>8)))))); int32_t L_1199 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1198>>8))))); UInt32U5BU5D_t2133601851* L_1200 = ___ekey; int32_t L_1201 = V_12; NullCheck(L_1200); IL2CPP_ARRAY_BOUNDS_CHECK(L_1200, L_1201); int32_t L_1202 = L_1201; NullCheck(L_1196); IL2CPP_ARRAY_BOUNDS_CHECK(L_1196, 6); (L_1196)->SetAt(static_cast<il2cpp_array_size_t>(6), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1197)->GetAt(static_cast<il2cpp_array_size_t>(L_1199)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1200)->GetAt(static_cast<il2cpp_array_size_t>(L_1202)))>>8))))))))))); ByteU5BU5D_t58506160* L_1203 = ___outdata; ByteU5BU5D_t58506160* L_1204 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1205 = V_10; NullCheck(L_1204); IL2CPP_ARRAY_BOUNDS_CHECK(L_1204, (((int32_t)((uint8_t)L_1205)))); int32_t L_1206 = (((int32_t)((uint8_t)L_1205))); UInt32U5BU5D_t2133601851* L_1207 = ___ekey; int32_t L_1208 = V_12; int32_t L_1209 = L_1208; V_12 = ((int32_t)((int32_t)L_1209+(int32_t)1)); NullCheck(L_1207); IL2CPP_ARRAY_BOUNDS_CHECK(L_1207, L_1209); int32_t L_1210 = L_1209; NullCheck(L_1203); IL2CPP_ARRAY_BOUNDS_CHECK(L_1203, 7); (L_1203)->SetAt(static_cast<il2cpp_array_size_t>(7), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1204)->GetAt(static_cast<il2cpp_array_size_t>(L_1206)))^(int32_t)(((int32_t)((uint8_t)((L_1207)->GetAt(static_cast<il2cpp_array_size_t>(L_1210)))))))))))); ByteU5BU5D_t58506160* L_1211 = ___outdata; ByteU5BU5D_t58506160* L_1212 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1213 = V_8; NullCheck(L_1212); IL2CPP_ARRAY_BOUNDS_CHECK(L_1212, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1213>>((int32_t)24)))))); uintptr_t L_1214 = (((uintptr_t)((int32_t)((uint32_t)L_1213>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1215 = ___ekey; int32_t L_1216 = V_12; NullCheck(L_1215); IL2CPP_ARRAY_BOUNDS_CHECK(L_1215, L_1216); int32_t L_1217 = L_1216; NullCheck(L_1211); IL2CPP_ARRAY_BOUNDS_CHECK(L_1211, 8); (L_1211)->SetAt(static_cast<il2cpp_array_size_t>(8), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1212)->GetAt(static_cast<il2cpp_array_size_t>(L_1214)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1215)->GetAt(static_cast<il2cpp_array_size_t>(L_1217)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1218 = ___outdata; ByteU5BU5D_t58506160* L_1219 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1220 = V_7; NullCheck(L_1219); IL2CPP_ARRAY_BOUNDS_CHECK(L_1219, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1220>>((int32_t)16))))))); int32_t L_1221 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1220>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1222 = ___ekey; int32_t L_1223 = V_12; NullCheck(L_1222); IL2CPP_ARRAY_BOUNDS_CHECK(L_1222, L_1223); int32_t L_1224 = L_1223; NullCheck(L_1218); IL2CPP_ARRAY_BOUNDS_CHECK(L_1218, ((int32_t)9)); (L_1218)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1219)->GetAt(static_cast<il2cpp_array_size_t>(L_1221)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1222)->GetAt(static_cast<il2cpp_array_size_t>(L_1224)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1225 = ___outdata; ByteU5BU5D_t58506160* L_1226 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1227 = V_6; NullCheck(L_1226); IL2CPP_ARRAY_BOUNDS_CHECK(L_1226, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1227>>8)))))); int32_t L_1228 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1227>>8))))); UInt32U5BU5D_t2133601851* L_1229 = ___ekey; int32_t L_1230 = V_12; NullCheck(L_1229); IL2CPP_ARRAY_BOUNDS_CHECK(L_1229, L_1230); int32_t L_1231 = L_1230; NullCheck(L_1225); IL2CPP_ARRAY_BOUNDS_CHECK(L_1225, ((int32_t)10)); (L_1225)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)10)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1226)->GetAt(static_cast<il2cpp_array_size_t>(L_1228)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1229)->GetAt(static_cast<il2cpp_array_size_t>(L_1231)))>>8))))))))))); ByteU5BU5D_t58506160* L_1232 = ___outdata; ByteU5BU5D_t58506160* L_1233 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1234 = V_11; NullCheck(L_1233); IL2CPP_ARRAY_BOUNDS_CHECK(L_1233, (((int32_t)((uint8_t)L_1234)))); int32_t L_1235 = (((int32_t)((uint8_t)L_1234))); UInt32U5BU5D_t2133601851* L_1236 = ___ekey; int32_t L_1237 = V_12; int32_t L_1238 = L_1237; V_12 = ((int32_t)((int32_t)L_1238+(int32_t)1)); NullCheck(L_1236); IL2CPP_ARRAY_BOUNDS_CHECK(L_1236, L_1238); int32_t L_1239 = L_1238; NullCheck(L_1232); IL2CPP_ARRAY_BOUNDS_CHECK(L_1232, ((int32_t)11)); (L_1232)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)11)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1233)->GetAt(static_cast<il2cpp_array_size_t>(L_1235)))^(int32_t)(((int32_t)((uint8_t)((L_1236)->GetAt(static_cast<il2cpp_array_size_t>(L_1239)))))))))))); ByteU5BU5D_t58506160* L_1240 = ___outdata; ByteU5BU5D_t58506160* L_1241 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1242 = V_9; NullCheck(L_1241); IL2CPP_ARRAY_BOUNDS_CHECK(L_1241, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1242>>((int32_t)24)))))); uintptr_t L_1243 = (((uintptr_t)((int32_t)((uint32_t)L_1242>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1244 = ___ekey; int32_t L_1245 = V_12; NullCheck(L_1244); IL2CPP_ARRAY_BOUNDS_CHECK(L_1244, L_1245); int32_t L_1246 = L_1245; NullCheck(L_1240); IL2CPP_ARRAY_BOUNDS_CHECK(L_1240, ((int32_t)12)); (L_1240)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)12)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1241)->GetAt(static_cast<il2cpp_array_size_t>(L_1243)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1244)->GetAt(static_cast<il2cpp_array_size_t>(L_1246)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1247 = ___outdata; ByteU5BU5D_t58506160* L_1248 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1249 = V_8; NullCheck(L_1248); IL2CPP_ARRAY_BOUNDS_CHECK(L_1248, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1249>>((int32_t)16))))))); int32_t L_1250 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1249>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1251 = ___ekey; int32_t L_1252 = V_12; NullCheck(L_1251); IL2CPP_ARRAY_BOUNDS_CHECK(L_1251, L_1252); int32_t L_1253 = L_1252; NullCheck(L_1247); IL2CPP_ARRAY_BOUNDS_CHECK(L_1247, ((int32_t)13)); (L_1247)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)13)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1248)->GetAt(static_cast<il2cpp_array_size_t>(L_1250)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1251)->GetAt(static_cast<il2cpp_array_size_t>(L_1253)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1254 = ___outdata; ByteU5BU5D_t58506160* L_1255 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1256 = V_7; NullCheck(L_1255); IL2CPP_ARRAY_BOUNDS_CHECK(L_1255, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1256>>8)))))); int32_t L_1257 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1256>>8))))); UInt32U5BU5D_t2133601851* L_1258 = ___ekey; int32_t L_1259 = V_12; NullCheck(L_1258); IL2CPP_ARRAY_BOUNDS_CHECK(L_1258, L_1259); int32_t L_1260 = L_1259; NullCheck(L_1254); IL2CPP_ARRAY_BOUNDS_CHECK(L_1254, ((int32_t)14)); (L_1254)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1255)->GetAt(static_cast<il2cpp_array_size_t>(L_1257)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1258)->GetAt(static_cast<il2cpp_array_size_t>(L_1260)))>>8))))))))))); ByteU5BU5D_t58506160* L_1261 = ___outdata; ByteU5BU5D_t58506160* L_1262 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1263 = V_6; NullCheck(L_1262); IL2CPP_ARRAY_BOUNDS_CHECK(L_1262, (((int32_t)((uint8_t)L_1263)))); int32_t L_1264 = (((int32_t)((uint8_t)L_1263))); UInt32U5BU5D_t2133601851* L_1265 = ___ekey; int32_t L_1266 = V_12; int32_t L_1267 = L_1266; V_12 = ((int32_t)((int32_t)L_1267+(int32_t)1)); NullCheck(L_1265); IL2CPP_ARRAY_BOUNDS_CHECK(L_1265, L_1267); int32_t L_1268 = L_1267; NullCheck(L_1261); IL2CPP_ARRAY_BOUNDS_CHECK(L_1261, ((int32_t)15)); (L_1261)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1262)->GetAt(static_cast<il2cpp_array_size_t>(L_1264)))^(int32_t)(((int32_t)((uint8_t)((L_1265)->GetAt(static_cast<il2cpp_array_size_t>(L_1268)))))))))))); ByteU5BU5D_t58506160* L_1269 = ___outdata; ByteU5BU5D_t58506160* L_1270 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1271 = V_10; NullCheck(L_1270); IL2CPP_ARRAY_BOUNDS_CHECK(L_1270, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1271>>((int32_t)24)))))); uintptr_t L_1272 = (((uintptr_t)((int32_t)((uint32_t)L_1271>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1273 = ___ekey; int32_t L_1274 = V_12; NullCheck(L_1273); IL2CPP_ARRAY_BOUNDS_CHECK(L_1273, L_1274); int32_t L_1275 = L_1274; NullCheck(L_1269); IL2CPP_ARRAY_BOUNDS_CHECK(L_1269, ((int32_t)16)); (L_1269)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)16)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1270)->GetAt(static_cast<il2cpp_array_size_t>(L_1272)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1273)->GetAt(static_cast<il2cpp_array_size_t>(L_1275)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1276 = ___outdata; ByteU5BU5D_t58506160* L_1277 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1278 = V_9; NullCheck(L_1277); IL2CPP_ARRAY_BOUNDS_CHECK(L_1277, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1278>>((int32_t)16))))))); int32_t L_1279 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1278>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1280 = ___ekey; int32_t L_1281 = V_12; NullCheck(L_1280); IL2CPP_ARRAY_BOUNDS_CHECK(L_1280, L_1281); int32_t L_1282 = L_1281; NullCheck(L_1276); IL2CPP_ARRAY_BOUNDS_CHECK(L_1276, ((int32_t)17)); (L_1276)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)17)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1277)->GetAt(static_cast<il2cpp_array_size_t>(L_1279)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1280)->GetAt(static_cast<il2cpp_array_size_t>(L_1282)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1283 = ___outdata; ByteU5BU5D_t58506160* L_1284 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1285 = V_8; NullCheck(L_1284); IL2CPP_ARRAY_BOUNDS_CHECK(L_1284, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1285>>8)))))); int32_t L_1286 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1285>>8))))); UInt32U5BU5D_t2133601851* L_1287 = ___ekey; int32_t L_1288 = V_12; NullCheck(L_1287); IL2CPP_ARRAY_BOUNDS_CHECK(L_1287, L_1288); int32_t L_1289 = L_1288; NullCheck(L_1283); IL2CPP_ARRAY_BOUNDS_CHECK(L_1283, ((int32_t)18)); (L_1283)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)18)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1284)->GetAt(static_cast<il2cpp_array_size_t>(L_1286)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1287)->GetAt(static_cast<il2cpp_array_size_t>(L_1289)))>>8))))))))))); ByteU5BU5D_t58506160* L_1290 = ___outdata; ByteU5BU5D_t58506160* L_1291 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1292 = V_7; NullCheck(L_1291); IL2CPP_ARRAY_BOUNDS_CHECK(L_1291, (((int32_t)((uint8_t)L_1292)))); int32_t L_1293 = (((int32_t)((uint8_t)L_1292))); UInt32U5BU5D_t2133601851* L_1294 = ___ekey; int32_t L_1295 = V_12; int32_t L_1296 = L_1295; V_12 = ((int32_t)((int32_t)L_1296+(int32_t)1)); NullCheck(L_1294); IL2CPP_ARRAY_BOUNDS_CHECK(L_1294, L_1296); int32_t L_1297 = L_1296; NullCheck(L_1290); IL2CPP_ARRAY_BOUNDS_CHECK(L_1290, ((int32_t)19)); (L_1290)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)19)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1291)->GetAt(static_cast<il2cpp_array_size_t>(L_1293)))^(int32_t)(((int32_t)((uint8_t)((L_1294)->GetAt(static_cast<il2cpp_array_size_t>(L_1297)))))))))))); ByteU5BU5D_t58506160* L_1298 = ___outdata; ByteU5BU5D_t58506160* L_1299 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1300 = V_11; NullCheck(L_1299); IL2CPP_ARRAY_BOUNDS_CHECK(L_1299, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1300>>((int32_t)24)))))); uintptr_t L_1301 = (((uintptr_t)((int32_t)((uint32_t)L_1300>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1302 = ___ekey; int32_t L_1303 = V_12; NullCheck(L_1302); IL2CPP_ARRAY_BOUNDS_CHECK(L_1302, L_1303); int32_t L_1304 = L_1303; NullCheck(L_1298); IL2CPP_ARRAY_BOUNDS_CHECK(L_1298, ((int32_t)20)); (L_1298)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)20)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1299)->GetAt(static_cast<il2cpp_array_size_t>(L_1301)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1302)->GetAt(static_cast<il2cpp_array_size_t>(L_1304)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1305 = ___outdata; ByteU5BU5D_t58506160* L_1306 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1307 = V_10; NullCheck(L_1306); IL2CPP_ARRAY_BOUNDS_CHECK(L_1306, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1307>>((int32_t)16))))))); int32_t L_1308 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1307>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1309 = ___ekey; int32_t L_1310 = V_12; NullCheck(L_1309); IL2CPP_ARRAY_BOUNDS_CHECK(L_1309, L_1310); int32_t L_1311 = L_1310; NullCheck(L_1305); IL2CPP_ARRAY_BOUNDS_CHECK(L_1305, ((int32_t)21)); (L_1305)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)21)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1306)->GetAt(static_cast<il2cpp_array_size_t>(L_1308)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1309)->GetAt(static_cast<il2cpp_array_size_t>(L_1311)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1312 = ___outdata; ByteU5BU5D_t58506160* L_1313 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1314 = V_9; NullCheck(L_1313); IL2CPP_ARRAY_BOUNDS_CHECK(L_1313, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1314>>8)))))); int32_t L_1315 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1314>>8))))); UInt32U5BU5D_t2133601851* L_1316 = ___ekey; int32_t L_1317 = V_12; NullCheck(L_1316); IL2CPP_ARRAY_BOUNDS_CHECK(L_1316, L_1317); int32_t L_1318 = L_1317; NullCheck(L_1312); IL2CPP_ARRAY_BOUNDS_CHECK(L_1312, ((int32_t)22)); (L_1312)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)22)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1313)->GetAt(static_cast<il2cpp_array_size_t>(L_1315)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1316)->GetAt(static_cast<il2cpp_array_size_t>(L_1318)))>>8))))))))))); ByteU5BU5D_t58506160* L_1319 = ___outdata; ByteU5BU5D_t58506160* L_1320 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1321 = V_8; NullCheck(L_1320); IL2CPP_ARRAY_BOUNDS_CHECK(L_1320, (((int32_t)((uint8_t)L_1321)))); int32_t L_1322 = (((int32_t)((uint8_t)L_1321))); UInt32U5BU5D_t2133601851* L_1323 = ___ekey; int32_t L_1324 = V_12; int32_t L_1325 = L_1324; V_12 = ((int32_t)((int32_t)L_1325+(int32_t)1)); NullCheck(L_1323); IL2CPP_ARRAY_BOUNDS_CHECK(L_1323, L_1325); int32_t L_1326 = L_1325; NullCheck(L_1319); IL2CPP_ARRAY_BOUNDS_CHECK(L_1319, ((int32_t)23)); (L_1319)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)23)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1320)->GetAt(static_cast<il2cpp_array_size_t>(L_1322)))^(int32_t)(((int32_t)((uint8_t)((L_1323)->GetAt(static_cast<il2cpp_array_size_t>(L_1326)))))))))))); return; } } // System.Void System.Security.Cryptography.RijndaelTransform::Decrypt256(System.Byte[],System.Byte[],System.UInt32[]) extern TypeInfo* RijndaelTransform_t2468220198_il2cpp_TypeInfo_var; extern const uint32_t RijndaelTransform_Decrypt256_m4237016300_MetadataUsageId; extern "C" void RijndaelTransform_Decrypt256_m4237016300 (RijndaelTransform_t2468220198 * __this, ByteU5BU5D_t58506160* ___indata, ByteU5BU5D_t58506160* ___outdata, UInt32U5BU5D_t2133601851* ___ekey, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RijndaelTransform_Decrypt256_m4237016300_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint32_t V_0 = 0; uint32_t V_1 = 0; uint32_t V_2 = 0; uint32_t V_3 = 0; uint32_t V_4 = 0; uint32_t V_5 = 0; uint32_t V_6 = 0; uint32_t V_7 = 0; uint32_t V_8 = 0; uint32_t V_9 = 0; uint32_t V_10 = 0; uint32_t V_11 = 0; uint32_t V_12 = 0; uint32_t V_13 = 0; uint32_t V_14 = 0; uint32_t V_15 = 0; { ByteU5BU5D_t58506160* L_0 = ___indata; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); int32_t L_1 = 0; ByteU5BU5D_t58506160* L_2 = ___indata; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 1); int32_t L_3 = 1; ByteU5BU5D_t58506160* L_4 = ___indata; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 2); int32_t L_5 = 2; ByteU5BU5D_t58506160* L_6 = ___indata; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 3); int32_t L_7 = 3; UInt32U5BU5D_t2133601851* L_8 = ___ekey; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, 0); int32_t L_9 = 0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_1)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_3)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_5)))<<(int32_t)8))))|(int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))))^(int32_t)((L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_9))))); ByteU5BU5D_t58506160* L_10 = ___indata; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 4); int32_t L_11 = 4; ByteU5BU5D_t58506160* L_12 = ___indata; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, 5); int32_t L_13 = 5; ByteU5BU5D_t58506160* L_14 = ___indata; NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, 6); int32_t L_15 = 6; ByteU5BU5D_t58506160* L_16 = ___indata; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, 7); int32_t L_17 = 7; UInt32U5BU5D_t2133601851* L_18 = ___ekey; NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, 1); int32_t L_19 = 1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_11)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_13)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_15)))<<(int32_t)8))))|(int32_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_17)))))^(int32_t)((L_18)->GetAt(static_cast<il2cpp_array_size_t>(L_19))))); ByteU5BU5D_t58506160* L_20 = ___indata; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, 8); int32_t L_21 = 8; ByteU5BU5D_t58506160* L_22 = ___indata; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, ((int32_t)9)); int32_t L_23 = ((int32_t)9); ByteU5BU5D_t58506160* L_24 = ___indata; NullCheck(L_24); IL2CPP_ARRAY_BOUNDS_CHECK(L_24, ((int32_t)10)); int32_t L_25 = ((int32_t)10); ByteU5BU5D_t58506160* L_26 = ___indata; NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, ((int32_t)11)); int32_t L_27 = ((int32_t)11); UInt32U5BU5D_t2133601851* L_28 = ___ekey; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, 2); int32_t L_29 = 2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_21)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_22)->GetAt(static_cast<il2cpp_array_size_t>(L_23)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_24)->GetAt(static_cast<il2cpp_array_size_t>(L_25)))<<(int32_t)8))))|(int32_t)((L_26)->GetAt(static_cast<il2cpp_array_size_t>(L_27)))))^(int32_t)((L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29))))); ByteU5BU5D_t58506160* L_30 = ___indata; NullCheck(L_30); IL2CPP_ARRAY_BOUNDS_CHECK(L_30, ((int32_t)12)); int32_t L_31 = ((int32_t)12); ByteU5BU5D_t58506160* L_32 = ___indata; NullCheck(L_32); IL2CPP_ARRAY_BOUNDS_CHECK(L_32, ((int32_t)13)); int32_t L_33 = ((int32_t)13); ByteU5BU5D_t58506160* L_34 = ___indata; NullCheck(L_34); IL2CPP_ARRAY_BOUNDS_CHECK(L_34, ((int32_t)14)); int32_t L_35 = ((int32_t)14); ByteU5BU5D_t58506160* L_36 = ___indata; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, ((int32_t)15)); int32_t L_37 = ((int32_t)15); UInt32U5BU5D_t2133601851* L_38 = ___ekey; NullCheck(L_38); IL2CPP_ARRAY_BOUNDS_CHECK(L_38, 3); int32_t L_39 = 3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_30)->GetAt(static_cast<il2cpp_array_size_t>(L_31)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_32)->GetAt(static_cast<il2cpp_array_size_t>(L_33)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_34)->GetAt(static_cast<il2cpp_array_size_t>(L_35)))<<(int32_t)8))))|(int32_t)((L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_37)))))^(int32_t)((L_38)->GetAt(static_cast<il2cpp_array_size_t>(L_39))))); ByteU5BU5D_t58506160* L_40 = ___indata; NullCheck(L_40); IL2CPP_ARRAY_BOUNDS_CHECK(L_40, ((int32_t)16)); int32_t L_41 = ((int32_t)16); ByteU5BU5D_t58506160* L_42 = ___indata; NullCheck(L_42); IL2CPP_ARRAY_BOUNDS_CHECK(L_42, ((int32_t)17)); int32_t L_43 = ((int32_t)17); ByteU5BU5D_t58506160* L_44 = ___indata; NullCheck(L_44); IL2CPP_ARRAY_BOUNDS_CHECK(L_44, ((int32_t)18)); int32_t L_45 = ((int32_t)18); ByteU5BU5D_t58506160* L_46 = ___indata; NullCheck(L_46); IL2CPP_ARRAY_BOUNDS_CHECK(L_46, ((int32_t)19)); int32_t L_47 = ((int32_t)19); UInt32U5BU5D_t2133601851* L_48 = ___ekey; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, 4); int32_t L_49 = 4; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_40)->GetAt(static_cast<il2cpp_array_size_t>(L_41)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_42)->GetAt(static_cast<il2cpp_array_size_t>(L_43)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_44)->GetAt(static_cast<il2cpp_array_size_t>(L_45)))<<(int32_t)8))))|(int32_t)((L_46)->GetAt(static_cast<il2cpp_array_size_t>(L_47)))))^(int32_t)((L_48)->GetAt(static_cast<il2cpp_array_size_t>(L_49))))); ByteU5BU5D_t58506160* L_50 = ___indata; NullCheck(L_50); IL2CPP_ARRAY_BOUNDS_CHECK(L_50, ((int32_t)20)); int32_t L_51 = ((int32_t)20); ByteU5BU5D_t58506160* L_52 = ___indata; NullCheck(L_52); IL2CPP_ARRAY_BOUNDS_CHECK(L_52, ((int32_t)21)); int32_t L_53 = ((int32_t)21); ByteU5BU5D_t58506160* L_54 = ___indata; NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, ((int32_t)22)); int32_t L_55 = ((int32_t)22); ByteU5BU5D_t58506160* L_56 = ___indata; NullCheck(L_56); IL2CPP_ARRAY_BOUNDS_CHECK(L_56, ((int32_t)23)); int32_t L_57 = ((int32_t)23); UInt32U5BU5D_t2133601851* L_58 = ___ekey; NullCheck(L_58); IL2CPP_ARRAY_BOUNDS_CHECK(L_58, 5); int32_t L_59 = 5; V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_50)->GetAt(static_cast<il2cpp_array_size_t>(L_51)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_52)->GetAt(static_cast<il2cpp_array_size_t>(L_53)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_55)))<<(int32_t)8))))|(int32_t)((L_56)->GetAt(static_cast<il2cpp_array_size_t>(L_57)))))^(int32_t)((L_58)->GetAt(static_cast<il2cpp_array_size_t>(L_59))))); ByteU5BU5D_t58506160* L_60 = ___indata; NullCheck(L_60); IL2CPP_ARRAY_BOUNDS_CHECK(L_60, ((int32_t)24)); int32_t L_61 = ((int32_t)24); ByteU5BU5D_t58506160* L_62 = ___indata; NullCheck(L_62); IL2CPP_ARRAY_BOUNDS_CHECK(L_62, ((int32_t)25)); int32_t L_63 = ((int32_t)25); ByteU5BU5D_t58506160* L_64 = ___indata; NullCheck(L_64); IL2CPP_ARRAY_BOUNDS_CHECK(L_64, ((int32_t)26)); int32_t L_65 = ((int32_t)26); ByteU5BU5D_t58506160* L_66 = ___indata; NullCheck(L_66); IL2CPP_ARRAY_BOUNDS_CHECK(L_66, ((int32_t)27)); int32_t L_67 = ((int32_t)27); UInt32U5BU5D_t2133601851* L_68 = ___ekey; NullCheck(L_68); IL2CPP_ARRAY_BOUNDS_CHECK(L_68, 6); int32_t L_69 = 6; V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_60)->GetAt(static_cast<il2cpp_array_size_t>(L_61)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_62)->GetAt(static_cast<il2cpp_array_size_t>(L_63)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_64)->GetAt(static_cast<il2cpp_array_size_t>(L_65)))<<(int32_t)8))))|(int32_t)((L_66)->GetAt(static_cast<il2cpp_array_size_t>(L_67)))))^(int32_t)((L_68)->GetAt(static_cast<il2cpp_array_size_t>(L_69))))); ByteU5BU5D_t58506160* L_70 = ___indata; NullCheck(L_70); IL2CPP_ARRAY_BOUNDS_CHECK(L_70, ((int32_t)28)); int32_t L_71 = ((int32_t)28); ByteU5BU5D_t58506160* L_72 = ___indata; NullCheck(L_72); IL2CPP_ARRAY_BOUNDS_CHECK(L_72, ((int32_t)29)); int32_t L_73 = ((int32_t)29); ByteU5BU5D_t58506160* L_74 = ___indata; NullCheck(L_74); IL2CPP_ARRAY_BOUNDS_CHECK(L_74, ((int32_t)30)); int32_t L_75 = ((int32_t)30); ByteU5BU5D_t58506160* L_76 = ___indata; NullCheck(L_76); IL2CPP_ARRAY_BOUNDS_CHECK(L_76, ((int32_t)31)); int32_t L_77 = ((int32_t)31); UInt32U5BU5D_t2133601851* L_78 = ___ekey; NullCheck(L_78); IL2CPP_ARRAY_BOUNDS_CHECK(L_78, 7); int32_t L_79 = 7; V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_70)->GetAt(static_cast<il2cpp_array_size_t>(L_71)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_72)->GetAt(static_cast<il2cpp_array_size_t>(L_73)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_74)->GetAt(static_cast<il2cpp_array_size_t>(L_75)))<<(int32_t)8))))|(int32_t)((L_76)->GetAt(static_cast<il2cpp_array_size_t>(L_77)))))^(int32_t)((L_78)->GetAt(static_cast<il2cpp_array_size_t>(L_79))))); IL2CPP_RUNTIME_CLASS_INIT(RijndaelTransform_t2468220198_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_80 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_81 = V_0; NullCheck(L_80); IL2CPP_ARRAY_BOUNDS_CHECK(L_80, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_81>>((int32_t)24)))))); uintptr_t L_82 = (((uintptr_t)((int32_t)((uint32_t)L_81>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_83 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_84 = V_7; NullCheck(L_83); IL2CPP_ARRAY_BOUNDS_CHECK(L_83, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_84>>((int32_t)16))))))); int32_t L_85 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_84>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_86 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_87 = V_5; NullCheck(L_86); IL2CPP_ARRAY_BOUNDS_CHECK(L_86, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_87>>8)))))); int32_t L_88 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_87>>8))))); UInt32U5BU5D_t2133601851* L_89 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_90 = V_4; NullCheck(L_89); IL2CPP_ARRAY_BOUNDS_CHECK(L_89, (((int32_t)((uint8_t)L_90)))); int32_t L_91 = (((int32_t)((uint8_t)L_90))); UInt32U5BU5D_t2133601851* L_92 = ___ekey; NullCheck(L_92); IL2CPP_ARRAY_BOUNDS_CHECK(L_92, 8); int32_t L_93 = 8; V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_80)->GetAt(static_cast<il2cpp_array_size_t>(L_82)))^(int32_t)((L_83)->GetAt(static_cast<il2cpp_array_size_t>(L_85)))))^(int32_t)((L_86)->GetAt(static_cast<il2cpp_array_size_t>(L_88)))))^(int32_t)((L_89)->GetAt(static_cast<il2cpp_array_size_t>(L_91)))))^(int32_t)((L_92)->GetAt(static_cast<il2cpp_array_size_t>(L_93))))); UInt32U5BU5D_t2133601851* L_94 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_95 = V_1; NullCheck(L_94); IL2CPP_ARRAY_BOUNDS_CHECK(L_94, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_95>>((int32_t)24)))))); uintptr_t L_96 = (((uintptr_t)((int32_t)((uint32_t)L_95>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_97 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_98 = V_0; NullCheck(L_97); IL2CPP_ARRAY_BOUNDS_CHECK(L_97, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_98>>((int32_t)16))))))); int32_t L_99 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_98>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_100 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_101 = V_6; NullCheck(L_100); IL2CPP_ARRAY_BOUNDS_CHECK(L_100, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_101>>8)))))); int32_t L_102 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_101>>8))))); UInt32U5BU5D_t2133601851* L_103 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_104 = V_5; NullCheck(L_103); IL2CPP_ARRAY_BOUNDS_CHECK(L_103, (((int32_t)((uint8_t)L_104)))); int32_t L_105 = (((int32_t)((uint8_t)L_104))); UInt32U5BU5D_t2133601851* L_106 = ___ekey; NullCheck(L_106); IL2CPP_ARRAY_BOUNDS_CHECK(L_106, ((int32_t)9)); int32_t L_107 = ((int32_t)9); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_94)->GetAt(static_cast<il2cpp_array_size_t>(L_96)))^(int32_t)((L_97)->GetAt(static_cast<il2cpp_array_size_t>(L_99)))))^(int32_t)((L_100)->GetAt(static_cast<il2cpp_array_size_t>(L_102)))))^(int32_t)((L_103)->GetAt(static_cast<il2cpp_array_size_t>(L_105)))))^(int32_t)((L_106)->GetAt(static_cast<il2cpp_array_size_t>(L_107))))); UInt32U5BU5D_t2133601851* L_108 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_109 = V_2; NullCheck(L_108); IL2CPP_ARRAY_BOUNDS_CHECK(L_108, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_109>>((int32_t)24)))))); uintptr_t L_110 = (((uintptr_t)((int32_t)((uint32_t)L_109>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_111 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_112 = V_1; NullCheck(L_111); IL2CPP_ARRAY_BOUNDS_CHECK(L_111, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_112>>((int32_t)16))))))); int32_t L_113 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_112>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_114 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_115 = V_7; NullCheck(L_114); IL2CPP_ARRAY_BOUNDS_CHECK(L_114, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_115>>8)))))); int32_t L_116 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_115>>8))))); UInt32U5BU5D_t2133601851* L_117 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_118 = V_6; NullCheck(L_117); IL2CPP_ARRAY_BOUNDS_CHECK(L_117, (((int32_t)((uint8_t)L_118)))); int32_t L_119 = (((int32_t)((uint8_t)L_118))); UInt32U5BU5D_t2133601851* L_120 = ___ekey; NullCheck(L_120); IL2CPP_ARRAY_BOUNDS_CHECK(L_120, ((int32_t)10)); int32_t L_121 = ((int32_t)10); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_108)->GetAt(static_cast<il2cpp_array_size_t>(L_110)))^(int32_t)((L_111)->GetAt(static_cast<il2cpp_array_size_t>(L_113)))))^(int32_t)((L_114)->GetAt(static_cast<il2cpp_array_size_t>(L_116)))))^(int32_t)((L_117)->GetAt(static_cast<il2cpp_array_size_t>(L_119)))))^(int32_t)((L_120)->GetAt(static_cast<il2cpp_array_size_t>(L_121))))); UInt32U5BU5D_t2133601851* L_122 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_123 = V_3; NullCheck(L_122); IL2CPP_ARRAY_BOUNDS_CHECK(L_122, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_123>>((int32_t)24)))))); uintptr_t L_124 = (((uintptr_t)((int32_t)((uint32_t)L_123>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_125 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_126 = V_2; NullCheck(L_125); IL2CPP_ARRAY_BOUNDS_CHECK(L_125, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_126>>((int32_t)16))))))); int32_t L_127 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_126>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_128 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_129 = V_0; NullCheck(L_128); IL2CPP_ARRAY_BOUNDS_CHECK(L_128, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_129>>8)))))); int32_t L_130 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_129>>8))))); UInt32U5BU5D_t2133601851* L_131 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_132 = V_7; NullCheck(L_131); IL2CPP_ARRAY_BOUNDS_CHECK(L_131, (((int32_t)((uint8_t)L_132)))); int32_t L_133 = (((int32_t)((uint8_t)L_132))); UInt32U5BU5D_t2133601851* L_134 = ___ekey; NullCheck(L_134); IL2CPP_ARRAY_BOUNDS_CHECK(L_134, ((int32_t)11)); int32_t L_135 = ((int32_t)11); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_122)->GetAt(static_cast<il2cpp_array_size_t>(L_124)))^(int32_t)((L_125)->GetAt(static_cast<il2cpp_array_size_t>(L_127)))))^(int32_t)((L_128)->GetAt(static_cast<il2cpp_array_size_t>(L_130)))))^(int32_t)((L_131)->GetAt(static_cast<il2cpp_array_size_t>(L_133)))))^(int32_t)((L_134)->GetAt(static_cast<il2cpp_array_size_t>(L_135))))); UInt32U5BU5D_t2133601851* L_136 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_137 = V_4; NullCheck(L_136); IL2CPP_ARRAY_BOUNDS_CHECK(L_136, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_137>>((int32_t)24)))))); uintptr_t L_138 = (((uintptr_t)((int32_t)((uint32_t)L_137>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_139 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_140 = V_3; NullCheck(L_139); IL2CPP_ARRAY_BOUNDS_CHECK(L_139, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_140>>((int32_t)16))))))); int32_t L_141 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_140>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_142 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_143 = V_1; NullCheck(L_142); IL2CPP_ARRAY_BOUNDS_CHECK(L_142, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_143>>8)))))); int32_t L_144 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_143>>8))))); UInt32U5BU5D_t2133601851* L_145 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_146 = V_0; NullCheck(L_145); IL2CPP_ARRAY_BOUNDS_CHECK(L_145, (((int32_t)((uint8_t)L_146)))); int32_t L_147 = (((int32_t)((uint8_t)L_146))); UInt32U5BU5D_t2133601851* L_148 = ___ekey; NullCheck(L_148); IL2CPP_ARRAY_BOUNDS_CHECK(L_148, ((int32_t)12)); int32_t L_149 = ((int32_t)12); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_136)->GetAt(static_cast<il2cpp_array_size_t>(L_138)))^(int32_t)((L_139)->GetAt(static_cast<il2cpp_array_size_t>(L_141)))))^(int32_t)((L_142)->GetAt(static_cast<il2cpp_array_size_t>(L_144)))))^(int32_t)((L_145)->GetAt(static_cast<il2cpp_array_size_t>(L_147)))))^(int32_t)((L_148)->GetAt(static_cast<il2cpp_array_size_t>(L_149))))); UInt32U5BU5D_t2133601851* L_150 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_151 = V_5; NullCheck(L_150); IL2CPP_ARRAY_BOUNDS_CHECK(L_150, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_151>>((int32_t)24)))))); uintptr_t L_152 = (((uintptr_t)((int32_t)((uint32_t)L_151>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_153 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_154 = V_4; NullCheck(L_153); IL2CPP_ARRAY_BOUNDS_CHECK(L_153, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_154>>((int32_t)16))))))); int32_t L_155 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_154>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_156 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_157 = V_2; NullCheck(L_156); IL2CPP_ARRAY_BOUNDS_CHECK(L_156, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_157>>8)))))); int32_t L_158 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_157>>8))))); UInt32U5BU5D_t2133601851* L_159 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_160 = V_1; NullCheck(L_159); IL2CPP_ARRAY_BOUNDS_CHECK(L_159, (((int32_t)((uint8_t)L_160)))); int32_t L_161 = (((int32_t)((uint8_t)L_160))); UInt32U5BU5D_t2133601851* L_162 = ___ekey; NullCheck(L_162); IL2CPP_ARRAY_BOUNDS_CHECK(L_162, ((int32_t)13)); int32_t L_163 = ((int32_t)13); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_150)->GetAt(static_cast<il2cpp_array_size_t>(L_152)))^(int32_t)((L_153)->GetAt(static_cast<il2cpp_array_size_t>(L_155)))))^(int32_t)((L_156)->GetAt(static_cast<il2cpp_array_size_t>(L_158)))))^(int32_t)((L_159)->GetAt(static_cast<il2cpp_array_size_t>(L_161)))))^(int32_t)((L_162)->GetAt(static_cast<il2cpp_array_size_t>(L_163))))); UInt32U5BU5D_t2133601851* L_164 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_165 = V_6; NullCheck(L_164); IL2CPP_ARRAY_BOUNDS_CHECK(L_164, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_165>>((int32_t)24)))))); uintptr_t L_166 = (((uintptr_t)((int32_t)((uint32_t)L_165>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_167 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_168 = V_5; NullCheck(L_167); IL2CPP_ARRAY_BOUNDS_CHECK(L_167, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_168>>((int32_t)16))))))); int32_t L_169 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_168>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_170 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_171 = V_3; NullCheck(L_170); IL2CPP_ARRAY_BOUNDS_CHECK(L_170, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_171>>8)))))); int32_t L_172 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_171>>8))))); UInt32U5BU5D_t2133601851* L_173 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_174 = V_2; NullCheck(L_173); IL2CPP_ARRAY_BOUNDS_CHECK(L_173, (((int32_t)((uint8_t)L_174)))); int32_t L_175 = (((int32_t)((uint8_t)L_174))); UInt32U5BU5D_t2133601851* L_176 = ___ekey; NullCheck(L_176); IL2CPP_ARRAY_BOUNDS_CHECK(L_176, ((int32_t)14)); int32_t L_177 = ((int32_t)14); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_164)->GetAt(static_cast<il2cpp_array_size_t>(L_166)))^(int32_t)((L_167)->GetAt(static_cast<il2cpp_array_size_t>(L_169)))))^(int32_t)((L_170)->GetAt(static_cast<il2cpp_array_size_t>(L_172)))))^(int32_t)((L_173)->GetAt(static_cast<il2cpp_array_size_t>(L_175)))))^(int32_t)((L_176)->GetAt(static_cast<il2cpp_array_size_t>(L_177))))); UInt32U5BU5D_t2133601851* L_178 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_179 = V_7; NullCheck(L_178); IL2CPP_ARRAY_BOUNDS_CHECK(L_178, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_179>>((int32_t)24)))))); uintptr_t L_180 = (((uintptr_t)((int32_t)((uint32_t)L_179>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_181 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_182 = V_6; NullCheck(L_181); IL2CPP_ARRAY_BOUNDS_CHECK(L_181, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_182>>((int32_t)16))))))); int32_t L_183 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_182>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_184 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_185 = V_4; NullCheck(L_184); IL2CPP_ARRAY_BOUNDS_CHECK(L_184, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_185>>8)))))); int32_t L_186 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_185>>8))))); UInt32U5BU5D_t2133601851* L_187 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_188 = V_3; NullCheck(L_187); IL2CPP_ARRAY_BOUNDS_CHECK(L_187, (((int32_t)((uint8_t)L_188)))); int32_t L_189 = (((int32_t)((uint8_t)L_188))); UInt32U5BU5D_t2133601851* L_190 = ___ekey; NullCheck(L_190); IL2CPP_ARRAY_BOUNDS_CHECK(L_190, ((int32_t)15)); int32_t L_191 = ((int32_t)15); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_178)->GetAt(static_cast<il2cpp_array_size_t>(L_180)))^(int32_t)((L_181)->GetAt(static_cast<il2cpp_array_size_t>(L_183)))))^(int32_t)((L_184)->GetAt(static_cast<il2cpp_array_size_t>(L_186)))))^(int32_t)((L_187)->GetAt(static_cast<il2cpp_array_size_t>(L_189)))))^(int32_t)((L_190)->GetAt(static_cast<il2cpp_array_size_t>(L_191))))); UInt32U5BU5D_t2133601851* L_192 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_193 = V_8; NullCheck(L_192); IL2CPP_ARRAY_BOUNDS_CHECK(L_192, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_193>>((int32_t)24)))))); uintptr_t L_194 = (((uintptr_t)((int32_t)((uint32_t)L_193>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_195 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_196 = V_15; NullCheck(L_195); IL2CPP_ARRAY_BOUNDS_CHECK(L_195, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_196>>((int32_t)16))))))); int32_t L_197 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_196>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_198 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_199 = V_13; NullCheck(L_198); IL2CPP_ARRAY_BOUNDS_CHECK(L_198, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_199>>8)))))); int32_t L_200 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_199>>8))))); UInt32U5BU5D_t2133601851* L_201 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_202 = V_12; NullCheck(L_201); IL2CPP_ARRAY_BOUNDS_CHECK(L_201, (((int32_t)((uint8_t)L_202)))); int32_t L_203 = (((int32_t)((uint8_t)L_202))); UInt32U5BU5D_t2133601851* L_204 = ___ekey; NullCheck(L_204); IL2CPP_ARRAY_BOUNDS_CHECK(L_204, ((int32_t)16)); int32_t L_205 = ((int32_t)16); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_192)->GetAt(static_cast<il2cpp_array_size_t>(L_194)))^(int32_t)((L_195)->GetAt(static_cast<il2cpp_array_size_t>(L_197)))))^(int32_t)((L_198)->GetAt(static_cast<il2cpp_array_size_t>(L_200)))))^(int32_t)((L_201)->GetAt(static_cast<il2cpp_array_size_t>(L_203)))))^(int32_t)((L_204)->GetAt(static_cast<il2cpp_array_size_t>(L_205))))); UInt32U5BU5D_t2133601851* L_206 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_207 = V_9; NullCheck(L_206); IL2CPP_ARRAY_BOUNDS_CHECK(L_206, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_207>>((int32_t)24)))))); uintptr_t L_208 = (((uintptr_t)((int32_t)((uint32_t)L_207>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_209 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_210 = V_8; NullCheck(L_209); IL2CPP_ARRAY_BOUNDS_CHECK(L_209, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_210>>((int32_t)16))))))); int32_t L_211 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_210>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_212 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_213 = V_14; NullCheck(L_212); IL2CPP_ARRAY_BOUNDS_CHECK(L_212, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_213>>8)))))); int32_t L_214 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_213>>8))))); UInt32U5BU5D_t2133601851* L_215 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_216 = V_13; NullCheck(L_215); IL2CPP_ARRAY_BOUNDS_CHECK(L_215, (((int32_t)((uint8_t)L_216)))); int32_t L_217 = (((int32_t)((uint8_t)L_216))); UInt32U5BU5D_t2133601851* L_218 = ___ekey; NullCheck(L_218); IL2CPP_ARRAY_BOUNDS_CHECK(L_218, ((int32_t)17)); int32_t L_219 = ((int32_t)17); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_206)->GetAt(static_cast<il2cpp_array_size_t>(L_208)))^(int32_t)((L_209)->GetAt(static_cast<il2cpp_array_size_t>(L_211)))))^(int32_t)((L_212)->GetAt(static_cast<il2cpp_array_size_t>(L_214)))))^(int32_t)((L_215)->GetAt(static_cast<il2cpp_array_size_t>(L_217)))))^(int32_t)((L_218)->GetAt(static_cast<il2cpp_array_size_t>(L_219))))); UInt32U5BU5D_t2133601851* L_220 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_221 = V_10; NullCheck(L_220); IL2CPP_ARRAY_BOUNDS_CHECK(L_220, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_221>>((int32_t)24)))))); uintptr_t L_222 = (((uintptr_t)((int32_t)((uint32_t)L_221>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_223 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_224 = V_9; NullCheck(L_223); IL2CPP_ARRAY_BOUNDS_CHECK(L_223, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_224>>((int32_t)16))))))); int32_t L_225 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_224>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_226 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_227 = V_15; NullCheck(L_226); IL2CPP_ARRAY_BOUNDS_CHECK(L_226, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_227>>8)))))); int32_t L_228 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_227>>8))))); UInt32U5BU5D_t2133601851* L_229 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_230 = V_14; NullCheck(L_229); IL2CPP_ARRAY_BOUNDS_CHECK(L_229, (((int32_t)((uint8_t)L_230)))); int32_t L_231 = (((int32_t)((uint8_t)L_230))); UInt32U5BU5D_t2133601851* L_232 = ___ekey; NullCheck(L_232); IL2CPP_ARRAY_BOUNDS_CHECK(L_232, ((int32_t)18)); int32_t L_233 = ((int32_t)18); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_220)->GetAt(static_cast<il2cpp_array_size_t>(L_222)))^(int32_t)((L_223)->GetAt(static_cast<il2cpp_array_size_t>(L_225)))))^(int32_t)((L_226)->GetAt(static_cast<il2cpp_array_size_t>(L_228)))))^(int32_t)((L_229)->GetAt(static_cast<il2cpp_array_size_t>(L_231)))))^(int32_t)((L_232)->GetAt(static_cast<il2cpp_array_size_t>(L_233))))); UInt32U5BU5D_t2133601851* L_234 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_235 = V_11; NullCheck(L_234); IL2CPP_ARRAY_BOUNDS_CHECK(L_234, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_235>>((int32_t)24)))))); uintptr_t L_236 = (((uintptr_t)((int32_t)((uint32_t)L_235>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_237 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_238 = V_10; NullCheck(L_237); IL2CPP_ARRAY_BOUNDS_CHECK(L_237, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_238>>((int32_t)16))))))); int32_t L_239 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_238>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_240 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_241 = V_8; NullCheck(L_240); IL2CPP_ARRAY_BOUNDS_CHECK(L_240, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_241>>8)))))); int32_t L_242 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_241>>8))))); UInt32U5BU5D_t2133601851* L_243 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_244 = V_15; NullCheck(L_243); IL2CPP_ARRAY_BOUNDS_CHECK(L_243, (((int32_t)((uint8_t)L_244)))); int32_t L_245 = (((int32_t)((uint8_t)L_244))); UInt32U5BU5D_t2133601851* L_246 = ___ekey; NullCheck(L_246); IL2CPP_ARRAY_BOUNDS_CHECK(L_246, ((int32_t)19)); int32_t L_247 = ((int32_t)19); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_234)->GetAt(static_cast<il2cpp_array_size_t>(L_236)))^(int32_t)((L_237)->GetAt(static_cast<il2cpp_array_size_t>(L_239)))))^(int32_t)((L_240)->GetAt(static_cast<il2cpp_array_size_t>(L_242)))))^(int32_t)((L_243)->GetAt(static_cast<il2cpp_array_size_t>(L_245)))))^(int32_t)((L_246)->GetAt(static_cast<il2cpp_array_size_t>(L_247))))); UInt32U5BU5D_t2133601851* L_248 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_249 = V_12; NullCheck(L_248); IL2CPP_ARRAY_BOUNDS_CHECK(L_248, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_249>>((int32_t)24)))))); uintptr_t L_250 = (((uintptr_t)((int32_t)((uint32_t)L_249>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_251 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_252 = V_11; NullCheck(L_251); IL2CPP_ARRAY_BOUNDS_CHECK(L_251, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_252>>((int32_t)16))))))); int32_t L_253 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_252>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_254 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_255 = V_9; NullCheck(L_254); IL2CPP_ARRAY_BOUNDS_CHECK(L_254, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_255>>8)))))); int32_t L_256 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_255>>8))))); UInt32U5BU5D_t2133601851* L_257 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_258 = V_8; NullCheck(L_257); IL2CPP_ARRAY_BOUNDS_CHECK(L_257, (((int32_t)((uint8_t)L_258)))); int32_t L_259 = (((int32_t)((uint8_t)L_258))); UInt32U5BU5D_t2133601851* L_260 = ___ekey; NullCheck(L_260); IL2CPP_ARRAY_BOUNDS_CHECK(L_260, ((int32_t)20)); int32_t L_261 = ((int32_t)20); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_248)->GetAt(static_cast<il2cpp_array_size_t>(L_250)))^(int32_t)((L_251)->GetAt(static_cast<il2cpp_array_size_t>(L_253)))))^(int32_t)((L_254)->GetAt(static_cast<il2cpp_array_size_t>(L_256)))))^(int32_t)((L_257)->GetAt(static_cast<il2cpp_array_size_t>(L_259)))))^(int32_t)((L_260)->GetAt(static_cast<il2cpp_array_size_t>(L_261))))); UInt32U5BU5D_t2133601851* L_262 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_263 = V_13; NullCheck(L_262); IL2CPP_ARRAY_BOUNDS_CHECK(L_262, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_263>>((int32_t)24)))))); uintptr_t L_264 = (((uintptr_t)((int32_t)((uint32_t)L_263>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_265 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_266 = V_12; NullCheck(L_265); IL2CPP_ARRAY_BOUNDS_CHECK(L_265, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_266>>((int32_t)16))))))); int32_t L_267 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_266>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_268 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_269 = V_10; NullCheck(L_268); IL2CPP_ARRAY_BOUNDS_CHECK(L_268, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_269>>8)))))); int32_t L_270 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_269>>8))))); UInt32U5BU5D_t2133601851* L_271 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_272 = V_9; NullCheck(L_271); IL2CPP_ARRAY_BOUNDS_CHECK(L_271, (((int32_t)((uint8_t)L_272)))); int32_t L_273 = (((int32_t)((uint8_t)L_272))); UInt32U5BU5D_t2133601851* L_274 = ___ekey; NullCheck(L_274); IL2CPP_ARRAY_BOUNDS_CHECK(L_274, ((int32_t)21)); int32_t L_275 = ((int32_t)21); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_262)->GetAt(static_cast<il2cpp_array_size_t>(L_264)))^(int32_t)((L_265)->GetAt(static_cast<il2cpp_array_size_t>(L_267)))))^(int32_t)((L_268)->GetAt(static_cast<il2cpp_array_size_t>(L_270)))))^(int32_t)((L_271)->GetAt(static_cast<il2cpp_array_size_t>(L_273)))))^(int32_t)((L_274)->GetAt(static_cast<il2cpp_array_size_t>(L_275))))); UInt32U5BU5D_t2133601851* L_276 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_277 = V_14; NullCheck(L_276); IL2CPP_ARRAY_BOUNDS_CHECK(L_276, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_277>>((int32_t)24)))))); uintptr_t L_278 = (((uintptr_t)((int32_t)((uint32_t)L_277>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_279 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_280 = V_13; NullCheck(L_279); IL2CPP_ARRAY_BOUNDS_CHECK(L_279, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_280>>((int32_t)16))))))); int32_t L_281 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_280>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_282 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_283 = V_11; NullCheck(L_282); IL2CPP_ARRAY_BOUNDS_CHECK(L_282, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_283>>8)))))); int32_t L_284 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_283>>8))))); UInt32U5BU5D_t2133601851* L_285 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_286 = V_10; NullCheck(L_285); IL2CPP_ARRAY_BOUNDS_CHECK(L_285, (((int32_t)((uint8_t)L_286)))); int32_t L_287 = (((int32_t)((uint8_t)L_286))); UInt32U5BU5D_t2133601851* L_288 = ___ekey; NullCheck(L_288); IL2CPP_ARRAY_BOUNDS_CHECK(L_288, ((int32_t)22)); int32_t L_289 = ((int32_t)22); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_276)->GetAt(static_cast<il2cpp_array_size_t>(L_278)))^(int32_t)((L_279)->GetAt(static_cast<il2cpp_array_size_t>(L_281)))))^(int32_t)((L_282)->GetAt(static_cast<il2cpp_array_size_t>(L_284)))))^(int32_t)((L_285)->GetAt(static_cast<il2cpp_array_size_t>(L_287)))))^(int32_t)((L_288)->GetAt(static_cast<il2cpp_array_size_t>(L_289))))); UInt32U5BU5D_t2133601851* L_290 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_291 = V_15; NullCheck(L_290); IL2CPP_ARRAY_BOUNDS_CHECK(L_290, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_291>>((int32_t)24)))))); uintptr_t L_292 = (((uintptr_t)((int32_t)((uint32_t)L_291>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_293 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_294 = V_14; NullCheck(L_293); IL2CPP_ARRAY_BOUNDS_CHECK(L_293, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_294>>((int32_t)16))))))); int32_t L_295 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_294>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_296 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_297 = V_12; NullCheck(L_296); IL2CPP_ARRAY_BOUNDS_CHECK(L_296, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_297>>8)))))); int32_t L_298 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_297>>8))))); UInt32U5BU5D_t2133601851* L_299 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_300 = V_11; NullCheck(L_299); IL2CPP_ARRAY_BOUNDS_CHECK(L_299, (((int32_t)((uint8_t)L_300)))); int32_t L_301 = (((int32_t)((uint8_t)L_300))); UInt32U5BU5D_t2133601851* L_302 = ___ekey; NullCheck(L_302); IL2CPP_ARRAY_BOUNDS_CHECK(L_302, ((int32_t)23)); int32_t L_303 = ((int32_t)23); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_290)->GetAt(static_cast<il2cpp_array_size_t>(L_292)))^(int32_t)((L_293)->GetAt(static_cast<il2cpp_array_size_t>(L_295)))))^(int32_t)((L_296)->GetAt(static_cast<il2cpp_array_size_t>(L_298)))))^(int32_t)((L_299)->GetAt(static_cast<il2cpp_array_size_t>(L_301)))))^(int32_t)((L_302)->GetAt(static_cast<il2cpp_array_size_t>(L_303))))); UInt32U5BU5D_t2133601851* L_304 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_305 = V_0; NullCheck(L_304); IL2CPP_ARRAY_BOUNDS_CHECK(L_304, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_305>>((int32_t)24)))))); uintptr_t L_306 = (((uintptr_t)((int32_t)((uint32_t)L_305>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_307 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_308 = V_7; NullCheck(L_307); IL2CPP_ARRAY_BOUNDS_CHECK(L_307, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_308>>((int32_t)16))))))); int32_t L_309 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_308>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_310 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_311 = V_5; NullCheck(L_310); IL2CPP_ARRAY_BOUNDS_CHECK(L_310, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_311>>8)))))); int32_t L_312 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_311>>8))))); UInt32U5BU5D_t2133601851* L_313 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_314 = V_4; NullCheck(L_313); IL2CPP_ARRAY_BOUNDS_CHECK(L_313, (((int32_t)((uint8_t)L_314)))); int32_t L_315 = (((int32_t)((uint8_t)L_314))); UInt32U5BU5D_t2133601851* L_316 = ___ekey; NullCheck(L_316); IL2CPP_ARRAY_BOUNDS_CHECK(L_316, ((int32_t)24)); int32_t L_317 = ((int32_t)24); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_304)->GetAt(static_cast<il2cpp_array_size_t>(L_306)))^(int32_t)((L_307)->GetAt(static_cast<il2cpp_array_size_t>(L_309)))))^(int32_t)((L_310)->GetAt(static_cast<il2cpp_array_size_t>(L_312)))))^(int32_t)((L_313)->GetAt(static_cast<il2cpp_array_size_t>(L_315)))))^(int32_t)((L_316)->GetAt(static_cast<il2cpp_array_size_t>(L_317))))); UInt32U5BU5D_t2133601851* L_318 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_319 = V_1; NullCheck(L_318); IL2CPP_ARRAY_BOUNDS_CHECK(L_318, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_319>>((int32_t)24)))))); uintptr_t L_320 = (((uintptr_t)((int32_t)((uint32_t)L_319>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_321 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_322 = V_0; NullCheck(L_321); IL2CPP_ARRAY_BOUNDS_CHECK(L_321, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_322>>((int32_t)16))))))); int32_t L_323 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_322>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_324 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_325 = V_6; NullCheck(L_324); IL2CPP_ARRAY_BOUNDS_CHECK(L_324, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_325>>8)))))); int32_t L_326 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_325>>8))))); UInt32U5BU5D_t2133601851* L_327 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_328 = V_5; NullCheck(L_327); IL2CPP_ARRAY_BOUNDS_CHECK(L_327, (((int32_t)((uint8_t)L_328)))); int32_t L_329 = (((int32_t)((uint8_t)L_328))); UInt32U5BU5D_t2133601851* L_330 = ___ekey; NullCheck(L_330); IL2CPP_ARRAY_BOUNDS_CHECK(L_330, ((int32_t)25)); int32_t L_331 = ((int32_t)25); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_318)->GetAt(static_cast<il2cpp_array_size_t>(L_320)))^(int32_t)((L_321)->GetAt(static_cast<il2cpp_array_size_t>(L_323)))))^(int32_t)((L_324)->GetAt(static_cast<il2cpp_array_size_t>(L_326)))))^(int32_t)((L_327)->GetAt(static_cast<il2cpp_array_size_t>(L_329)))))^(int32_t)((L_330)->GetAt(static_cast<il2cpp_array_size_t>(L_331))))); UInt32U5BU5D_t2133601851* L_332 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_333 = V_2; NullCheck(L_332); IL2CPP_ARRAY_BOUNDS_CHECK(L_332, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_333>>((int32_t)24)))))); uintptr_t L_334 = (((uintptr_t)((int32_t)((uint32_t)L_333>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_335 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_336 = V_1; NullCheck(L_335); IL2CPP_ARRAY_BOUNDS_CHECK(L_335, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_336>>((int32_t)16))))))); int32_t L_337 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_336>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_338 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_339 = V_7; NullCheck(L_338); IL2CPP_ARRAY_BOUNDS_CHECK(L_338, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_339>>8)))))); int32_t L_340 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_339>>8))))); UInt32U5BU5D_t2133601851* L_341 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_342 = V_6; NullCheck(L_341); IL2CPP_ARRAY_BOUNDS_CHECK(L_341, (((int32_t)((uint8_t)L_342)))); int32_t L_343 = (((int32_t)((uint8_t)L_342))); UInt32U5BU5D_t2133601851* L_344 = ___ekey; NullCheck(L_344); IL2CPP_ARRAY_BOUNDS_CHECK(L_344, ((int32_t)26)); int32_t L_345 = ((int32_t)26); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_332)->GetAt(static_cast<il2cpp_array_size_t>(L_334)))^(int32_t)((L_335)->GetAt(static_cast<il2cpp_array_size_t>(L_337)))))^(int32_t)((L_338)->GetAt(static_cast<il2cpp_array_size_t>(L_340)))))^(int32_t)((L_341)->GetAt(static_cast<il2cpp_array_size_t>(L_343)))))^(int32_t)((L_344)->GetAt(static_cast<il2cpp_array_size_t>(L_345))))); UInt32U5BU5D_t2133601851* L_346 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_347 = V_3; NullCheck(L_346); IL2CPP_ARRAY_BOUNDS_CHECK(L_346, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_347>>((int32_t)24)))))); uintptr_t L_348 = (((uintptr_t)((int32_t)((uint32_t)L_347>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_349 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_350 = V_2; NullCheck(L_349); IL2CPP_ARRAY_BOUNDS_CHECK(L_349, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_350>>((int32_t)16))))))); int32_t L_351 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_350>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_352 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_353 = V_0; NullCheck(L_352); IL2CPP_ARRAY_BOUNDS_CHECK(L_352, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_353>>8)))))); int32_t L_354 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_353>>8))))); UInt32U5BU5D_t2133601851* L_355 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_356 = V_7; NullCheck(L_355); IL2CPP_ARRAY_BOUNDS_CHECK(L_355, (((int32_t)((uint8_t)L_356)))); int32_t L_357 = (((int32_t)((uint8_t)L_356))); UInt32U5BU5D_t2133601851* L_358 = ___ekey; NullCheck(L_358); IL2CPP_ARRAY_BOUNDS_CHECK(L_358, ((int32_t)27)); int32_t L_359 = ((int32_t)27); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_346)->GetAt(static_cast<il2cpp_array_size_t>(L_348)))^(int32_t)((L_349)->GetAt(static_cast<il2cpp_array_size_t>(L_351)))))^(int32_t)((L_352)->GetAt(static_cast<il2cpp_array_size_t>(L_354)))))^(int32_t)((L_355)->GetAt(static_cast<il2cpp_array_size_t>(L_357)))))^(int32_t)((L_358)->GetAt(static_cast<il2cpp_array_size_t>(L_359))))); UInt32U5BU5D_t2133601851* L_360 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_361 = V_4; NullCheck(L_360); IL2CPP_ARRAY_BOUNDS_CHECK(L_360, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_361>>((int32_t)24)))))); uintptr_t L_362 = (((uintptr_t)((int32_t)((uint32_t)L_361>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_363 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_364 = V_3; NullCheck(L_363); IL2CPP_ARRAY_BOUNDS_CHECK(L_363, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_364>>((int32_t)16))))))); int32_t L_365 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_364>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_366 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_367 = V_1; NullCheck(L_366); IL2CPP_ARRAY_BOUNDS_CHECK(L_366, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_367>>8)))))); int32_t L_368 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_367>>8))))); UInt32U5BU5D_t2133601851* L_369 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_370 = V_0; NullCheck(L_369); IL2CPP_ARRAY_BOUNDS_CHECK(L_369, (((int32_t)((uint8_t)L_370)))); int32_t L_371 = (((int32_t)((uint8_t)L_370))); UInt32U5BU5D_t2133601851* L_372 = ___ekey; NullCheck(L_372); IL2CPP_ARRAY_BOUNDS_CHECK(L_372, ((int32_t)28)); int32_t L_373 = ((int32_t)28); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_360)->GetAt(static_cast<il2cpp_array_size_t>(L_362)))^(int32_t)((L_363)->GetAt(static_cast<il2cpp_array_size_t>(L_365)))))^(int32_t)((L_366)->GetAt(static_cast<il2cpp_array_size_t>(L_368)))))^(int32_t)((L_369)->GetAt(static_cast<il2cpp_array_size_t>(L_371)))))^(int32_t)((L_372)->GetAt(static_cast<il2cpp_array_size_t>(L_373))))); UInt32U5BU5D_t2133601851* L_374 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_375 = V_5; NullCheck(L_374); IL2CPP_ARRAY_BOUNDS_CHECK(L_374, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_375>>((int32_t)24)))))); uintptr_t L_376 = (((uintptr_t)((int32_t)((uint32_t)L_375>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_377 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_378 = V_4; NullCheck(L_377); IL2CPP_ARRAY_BOUNDS_CHECK(L_377, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_378>>((int32_t)16))))))); int32_t L_379 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_378>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_380 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_381 = V_2; NullCheck(L_380); IL2CPP_ARRAY_BOUNDS_CHECK(L_380, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_381>>8)))))); int32_t L_382 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_381>>8))))); UInt32U5BU5D_t2133601851* L_383 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_384 = V_1; NullCheck(L_383); IL2CPP_ARRAY_BOUNDS_CHECK(L_383, (((int32_t)((uint8_t)L_384)))); int32_t L_385 = (((int32_t)((uint8_t)L_384))); UInt32U5BU5D_t2133601851* L_386 = ___ekey; NullCheck(L_386); IL2CPP_ARRAY_BOUNDS_CHECK(L_386, ((int32_t)29)); int32_t L_387 = ((int32_t)29); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_374)->GetAt(static_cast<il2cpp_array_size_t>(L_376)))^(int32_t)((L_377)->GetAt(static_cast<il2cpp_array_size_t>(L_379)))))^(int32_t)((L_380)->GetAt(static_cast<il2cpp_array_size_t>(L_382)))))^(int32_t)((L_383)->GetAt(static_cast<il2cpp_array_size_t>(L_385)))))^(int32_t)((L_386)->GetAt(static_cast<il2cpp_array_size_t>(L_387))))); UInt32U5BU5D_t2133601851* L_388 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_389 = V_6; NullCheck(L_388); IL2CPP_ARRAY_BOUNDS_CHECK(L_388, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_389>>((int32_t)24)))))); uintptr_t L_390 = (((uintptr_t)((int32_t)((uint32_t)L_389>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_391 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_392 = V_5; NullCheck(L_391); IL2CPP_ARRAY_BOUNDS_CHECK(L_391, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_392>>((int32_t)16))))))); int32_t L_393 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_392>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_394 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_395 = V_3; NullCheck(L_394); IL2CPP_ARRAY_BOUNDS_CHECK(L_394, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_395>>8)))))); int32_t L_396 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_395>>8))))); UInt32U5BU5D_t2133601851* L_397 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_398 = V_2; NullCheck(L_397); IL2CPP_ARRAY_BOUNDS_CHECK(L_397, (((int32_t)((uint8_t)L_398)))); int32_t L_399 = (((int32_t)((uint8_t)L_398))); UInt32U5BU5D_t2133601851* L_400 = ___ekey; NullCheck(L_400); IL2CPP_ARRAY_BOUNDS_CHECK(L_400, ((int32_t)30)); int32_t L_401 = ((int32_t)30); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_388)->GetAt(static_cast<il2cpp_array_size_t>(L_390)))^(int32_t)((L_391)->GetAt(static_cast<il2cpp_array_size_t>(L_393)))))^(int32_t)((L_394)->GetAt(static_cast<il2cpp_array_size_t>(L_396)))))^(int32_t)((L_397)->GetAt(static_cast<il2cpp_array_size_t>(L_399)))))^(int32_t)((L_400)->GetAt(static_cast<il2cpp_array_size_t>(L_401))))); UInt32U5BU5D_t2133601851* L_402 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_403 = V_7; NullCheck(L_402); IL2CPP_ARRAY_BOUNDS_CHECK(L_402, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_403>>((int32_t)24)))))); uintptr_t L_404 = (((uintptr_t)((int32_t)((uint32_t)L_403>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_405 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_406 = V_6; NullCheck(L_405); IL2CPP_ARRAY_BOUNDS_CHECK(L_405, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_406>>((int32_t)16))))))); int32_t L_407 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_406>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_408 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_409 = V_4; NullCheck(L_408); IL2CPP_ARRAY_BOUNDS_CHECK(L_408, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_409>>8)))))); int32_t L_410 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_409>>8))))); UInt32U5BU5D_t2133601851* L_411 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_412 = V_3; NullCheck(L_411); IL2CPP_ARRAY_BOUNDS_CHECK(L_411, (((int32_t)((uint8_t)L_412)))); int32_t L_413 = (((int32_t)((uint8_t)L_412))); UInt32U5BU5D_t2133601851* L_414 = ___ekey; NullCheck(L_414); IL2CPP_ARRAY_BOUNDS_CHECK(L_414, ((int32_t)31)); int32_t L_415 = ((int32_t)31); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_402)->GetAt(static_cast<il2cpp_array_size_t>(L_404)))^(int32_t)((L_405)->GetAt(static_cast<il2cpp_array_size_t>(L_407)))))^(int32_t)((L_408)->GetAt(static_cast<il2cpp_array_size_t>(L_410)))))^(int32_t)((L_411)->GetAt(static_cast<il2cpp_array_size_t>(L_413)))))^(int32_t)((L_414)->GetAt(static_cast<il2cpp_array_size_t>(L_415))))); UInt32U5BU5D_t2133601851* L_416 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_417 = V_8; NullCheck(L_416); IL2CPP_ARRAY_BOUNDS_CHECK(L_416, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_417>>((int32_t)24)))))); uintptr_t L_418 = (((uintptr_t)((int32_t)((uint32_t)L_417>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_419 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_420 = V_15; NullCheck(L_419); IL2CPP_ARRAY_BOUNDS_CHECK(L_419, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_420>>((int32_t)16))))))); int32_t L_421 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_420>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_422 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_423 = V_13; NullCheck(L_422); IL2CPP_ARRAY_BOUNDS_CHECK(L_422, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_423>>8)))))); int32_t L_424 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_423>>8))))); UInt32U5BU5D_t2133601851* L_425 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_426 = V_12; NullCheck(L_425); IL2CPP_ARRAY_BOUNDS_CHECK(L_425, (((int32_t)((uint8_t)L_426)))); int32_t L_427 = (((int32_t)((uint8_t)L_426))); UInt32U5BU5D_t2133601851* L_428 = ___ekey; NullCheck(L_428); IL2CPP_ARRAY_BOUNDS_CHECK(L_428, ((int32_t)32)); int32_t L_429 = ((int32_t)32); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_416)->GetAt(static_cast<il2cpp_array_size_t>(L_418)))^(int32_t)((L_419)->GetAt(static_cast<il2cpp_array_size_t>(L_421)))))^(int32_t)((L_422)->GetAt(static_cast<il2cpp_array_size_t>(L_424)))))^(int32_t)((L_425)->GetAt(static_cast<il2cpp_array_size_t>(L_427)))))^(int32_t)((L_428)->GetAt(static_cast<il2cpp_array_size_t>(L_429))))); UInt32U5BU5D_t2133601851* L_430 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_431 = V_9; NullCheck(L_430); IL2CPP_ARRAY_BOUNDS_CHECK(L_430, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_431>>((int32_t)24)))))); uintptr_t L_432 = (((uintptr_t)((int32_t)((uint32_t)L_431>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_433 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_434 = V_8; NullCheck(L_433); IL2CPP_ARRAY_BOUNDS_CHECK(L_433, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_434>>((int32_t)16))))))); int32_t L_435 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_434>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_436 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_437 = V_14; NullCheck(L_436); IL2CPP_ARRAY_BOUNDS_CHECK(L_436, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_437>>8)))))); int32_t L_438 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_437>>8))))); UInt32U5BU5D_t2133601851* L_439 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_440 = V_13; NullCheck(L_439); IL2CPP_ARRAY_BOUNDS_CHECK(L_439, (((int32_t)((uint8_t)L_440)))); int32_t L_441 = (((int32_t)((uint8_t)L_440))); UInt32U5BU5D_t2133601851* L_442 = ___ekey; NullCheck(L_442); IL2CPP_ARRAY_BOUNDS_CHECK(L_442, ((int32_t)33)); int32_t L_443 = ((int32_t)33); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_430)->GetAt(static_cast<il2cpp_array_size_t>(L_432)))^(int32_t)((L_433)->GetAt(static_cast<il2cpp_array_size_t>(L_435)))))^(int32_t)((L_436)->GetAt(static_cast<il2cpp_array_size_t>(L_438)))))^(int32_t)((L_439)->GetAt(static_cast<il2cpp_array_size_t>(L_441)))))^(int32_t)((L_442)->GetAt(static_cast<il2cpp_array_size_t>(L_443))))); UInt32U5BU5D_t2133601851* L_444 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_445 = V_10; NullCheck(L_444); IL2CPP_ARRAY_BOUNDS_CHECK(L_444, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_445>>((int32_t)24)))))); uintptr_t L_446 = (((uintptr_t)((int32_t)((uint32_t)L_445>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_447 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_448 = V_9; NullCheck(L_447); IL2CPP_ARRAY_BOUNDS_CHECK(L_447, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_448>>((int32_t)16))))))); int32_t L_449 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_448>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_450 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_451 = V_15; NullCheck(L_450); IL2CPP_ARRAY_BOUNDS_CHECK(L_450, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_451>>8)))))); int32_t L_452 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_451>>8))))); UInt32U5BU5D_t2133601851* L_453 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_454 = V_14; NullCheck(L_453); IL2CPP_ARRAY_BOUNDS_CHECK(L_453, (((int32_t)((uint8_t)L_454)))); int32_t L_455 = (((int32_t)((uint8_t)L_454))); UInt32U5BU5D_t2133601851* L_456 = ___ekey; NullCheck(L_456); IL2CPP_ARRAY_BOUNDS_CHECK(L_456, ((int32_t)34)); int32_t L_457 = ((int32_t)34); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_444)->GetAt(static_cast<il2cpp_array_size_t>(L_446)))^(int32_t)((L_447)->GetAt(static_cast<il2cpp_array_size_t>(L_449)))))^(int32_t)((L_450)->GetAt(static_cast<il2cpp_array_size_t>(L_452)))))^(int32_t)((L_453)->GetAt(static_cast<il2cpp_array_size_t>(L_455)))))^(int32_t)((L_456)->GetAt(static_cast<il2cpp_array_size_t>(L_457))))); UInt32U5BU5D_t2133601851* L_458 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_459 = V_11; NullCheck(L_458); IL2CPP_ARRAY_BOUNDS_CHECK(L_458, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_459>>((int32_t)24)))))); uintptr_t L_460 = (((uintptr_t)((int32_t)((uint32_t)L_459>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_461 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_462 = V_10; NullCheck(L_461); IL2CPP_ARRAY_BOUNDS_CHECK(L_461, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_462>>((int32_t)16))))))); int32_t L_463 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_462>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_464 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_465 = V_8; NullCheck(L_464); IL2CPP_ARRAY_BOUNDS_CHECK(L_464, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_465>>8)))))); int32_t L_466 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_465>>8))))); UInt32U5BU5D_t2133601851* L_467 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_468 = V_15; NullCheck(L_467); IL2CPP_ARRAY_BOUNDS_CHECK(L_467, (((int32_t)((uint8_t)L_468)))); int32_t L_469 = (((int32_t)((uint8_t)L_468))); UInt32U5BU5D_t2133601851* L_470 = ___ekey; NullCheck(L_470); IL2CPP_ARRAY_BOUNDS_CHECK(L_470, ((int32_t)35)); int32_t L_471 = ((int32_t)35); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_458)->GetAt(static_cast<il2cpp_array_size_t>(L_460)))^(int32_t)((L_461)->GetAt(static_cast<il2cpp_array_size_t>(L_463)))))^(int32_t)((L_464)->GetAt(static_cast<il2cpp_array_size_t>(L_466)))))^(int32_t)((L_467)->GetAt(static_cast<il2cpp_array_size_t>(L_469)))))^(int32_t)((L_470)->GetAt(static_cast<il2cpp_array_size_t>(L_471))))); UInt32U5BU5D_t2133601851* L_472 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_473 = V_12; NullCheck(L_472); IL2CPP_ARRAY_BOUNDS_CHECK(L_472, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_473>>((int32_t)24)))))); uintptr_t L_474 = (((uintptr_t)((int32_t)((uint32_t)L_473>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_475 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_476 = V_11; NullCheck(L_475); IL2CPP_ARRAY_BOUNDS_CHECK(L_475, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_476>>((int32_t)16))))))); int32_t L_477 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_476>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_478 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_479 = V_9; NullCheck(L_478); IL2CPP_ARRAY_BOUNDS_CHECK(L_478, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_479>>8)))))); int32_t L_480 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_479>>8))))); UInt32U5BU5D_t2133601851* L_481 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_482 = V_8; NullCheck(L_481); IL2CPP_ARRAY_BOUNDS_CHECK(L_481, (((int32_t)((uint8_t)L_482)))); int32_t L_483 = (((int32_t)((uint8_t)L_482))); UInt32U5BU5D_t2133601851* L_484 = ___ekey; NullCheck(L_484); IL2CPP_ARRAY_BOUNDS_CHECK(L_484, ((int32_t)36)); int32_t L_485 = ((int32_t)36); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_472)->GetAt(static_cast<il2cpp_array_size_t>(L_474)))^(int32_t)((L_475)->GetAt(static_cast<il2cpp_array_size_t>(L_477)))))^(int32_t)((L_478)->GetAt(static_cast<il2cpp_array_size_t>(L_480)))))^(int32_t)((L_481)->GetAt(static_cast<il2cpp_array_size_t>(L_483)))))^(int32_t)((L_484)->GetAt(static_cast<il2cpp_array_size_t>(L_485))))); UInt32U5BU5D_t2133601851* L_486 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_487 = V_13; NullCheck(L_486); IL2CPP_ARRAY_BOUNDS_CHECK(L_486, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_487>>((int32_t)24)))))); uintptr_t L_488 = (((uintptr_t)((int32_t)((uint32_t)L_487>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_489 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_490 = V_12; NullCheck(L_489); IL2CPP_ARRAY_BOUNDS_CHECK(L_489, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_490>>((int32_t)16))))))); int32_t L_491 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_490>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_492 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_493 = V_10; NullCheck(L_492); IL2CPP_ARRAY_BOUNDS_CHECK(L_492, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_493>>8)))))); int32_t L_494 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_493>>8))))); UInt32U5BU5D_t2133601851* L_495 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_496 = V_9; NullCheck(L_495); IL2CPP_ARRAY_BOUNDS_CHECK(L_495, (((int32_t)((uint8_t)L_496)))); int32_t L_497 = (((int32_t)((uint8_t)L_496))); UInt32U5BU5D_t2133601851* L_498 = ___ekey; NullCheck(L_498); IL2CPP_ARRAY_BOUNDS_CHECK(L_498, ((int32_t)37)); int32_t L_499 = ((int32_t)37); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_486)->GetAt(static_cast<il2cpp_array_size_t>(L_488)))^(int32_t)((L_489)->GetAt(static_cast<il2cpp_array_size_t>(L_491)))))^(int32_t)((L_492)->GetAt(static_cast<il2cpp_array_size_t>(L_494)))))^(int32_t)((L_495)->GetAt(static_cast<il2cpp_array_size_t>(L_497)))))^(int32_t)((L_498)->GetAt(static_cast<il2cpp_array_size_t>(L_499))))); UInt32U5BU5D_t2133601851* L_500 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_501 = V_14; NullCheck(L_500); IL2CPP_ARRAY_BOUNDS_CHECK(L_500, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_501>>((int32_t)24)))))); uintptr_t L_502 = (((uintptr_t)((int32_t)((uint32_t)L_501>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_503 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_504 = V_13; NullCheck(L_503); IL2CPP_ARRAY_BOUNDS_CHECK(L_503, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_504>>((int32_t)16))))))); int32_t L_505 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_504>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_506 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_507 = V_11; NullCheck(L_506); IL2CPP_ARRAY_BOUNDS_CHECK(L_506, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_507>>8)))))); int32_t L_508 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_507>>8))))); UInt32U5BU5D_t2133601851* L_509 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_510 = V_10; NullCheck(L_509); IL2CPP_ARRAY_BOUNDS_CHECK(L_509, (((int32_t)((uint8_t)L_510)))); int32_t L_511 = (((int32_t)((uint8_t)L_510))); UInt32U5BU5D_t2133601851* L_512 = ___ekey; NullCheck(L_512); IL2CPP_ARRAY_BOUNDS_CHECK(L_512, ((int32_t)38)); int32_t L_513 = ((int32_t)38); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_500)->GetAt(static_cast<il2cpp_array_size_t>(L_502)))^(int32_t)((L_503)->GetAt(static_cast<il2cpp_array_size_t>(L_505)))))^(int32_t)((L_506)->GetAt(static_cast<il2cpp_array_size_t>(L_508)))))^(int32_t)((L_509)->GetAt(static_cast<il2cpp_array_size_t>(L_511)))))^(int32_t)((L_512)->GetAt(static_cast<il2cpp_array_size_t>(L_513))))); UInt32U5BU5D_t2133601851* L_514 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_515 = V_15; NullCheck(L_514); IL2CPP_ARRAY_BOUNDS_CHECK(L_514, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_515>>((int32_t)24)))))); uintptr_t L_516 = (((uintptr_t)((int32_t)((uint32_t)L_515>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_517 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_518 = V_14; NullCheck(L_517); IL2CPP_ARRAY_BOUNDS_CHECK(L_517, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_518>>((int32_t)16))))))); int32_t L_519 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_518>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_520 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_521 = V_12; NullCheck(L_520); IL2CPP_ARRAY_BOUNDS_CHECK(L_520, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_521>>8)))))); int32_t L_522 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_521>>8))))); UInt32U5BU5D_t2133601851* L_523 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_524 = V_11; NullCheck(L_523); IL2CPP_ARRAY_BOUNDS_CHECK(L_523, (((int32_t)((uint8_t)L_524)))); int32_t L_525 = (((int32_t)((uint8_t)L_524))); UInt32U5BU5D_t2133601851* L_526 = ___ekey; NullCheck(L_526); IL2CPP_ARRAY_BOUNDS_CHECK(L_526, ((int32_t)39)); int32_t L_527 = ((int32_t)39); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_514)->GetAt(static_cast<il2cpp_array_size_t>(L_516)))^(int32_t)((L_517)->GetAt(static_cast<il2cpp_array_size_t>(L_519)))))^(int32_t)((L_520)->GetAt(static_cast<il2cpp_array_size_t>(L_522)))))^(int32_t)((L_523)->GetAt(static_cast<il2cpp_array_size_t>(L_525)))))^(int32_t)((L_526)->GetAt(static_cast<il2cpp_array_size_t>(L_527))))); UInt32U5BU5D_t2133601851* L_528 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_529 = V_0; NullCheck(L_528); IL2CPP_ARRAY_BOUNDS_CHECK(L_528, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_529>>((int32_t)24)))))); uintptr_t L_530 = (((uintptr_t)((int32_t)((uint32_t)L_529>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_531 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_532 = V_7; NullCheck(L_531); IL2CPP_ARRAY_BOUNDS_CHECK(L_531, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_532>>((int32_t)16))))))); int32_t L_533 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_532>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_534 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_535 = V_5; NullCheck(L_534); IL2CPP_ARRAY_BOUNDS_CHECK(L_534, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_535>>8)))))); int32_t L_536 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_535>>8))))); UInt32U5BU5D_t2133601851* L_537 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_538 = V_4; NullCheck(L_537); IL2CPP_ARRAY_BOUNDS_CHECK(L_537, (((int32_t)((uint8_t)L_538)))); int32_t L_539 = (((int32_t)((uint8_t)L_538))); UInt32U5BU5D_t2133601851* L_540 = ___ekey; NullCheck(L_540); IL2CPP_ARRAY_BOUNDS_CHECK(L_540, ((int32_t)40)); int32_t L_541 = ((int32_t)40); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_528)->GetAt(static_cast<il2cpp_array_size_t>(L_530)))^(int32_t)((L_531)->GetAt(static_cast<il2cpp_array_size_t>(L_533)))))^(int32_t)((L_534)->GetAt(static_cast<il2cpp_array_size_t>(L_536)))))^(int32_t)((L_537)->GetAt(static_cast<il2cpp_array_size_t>(L_539)))))^(int32_t)((L_540)->GetAt(static_cast<il2cpp_array_size_t>(L_541))))); UInt32U5BU5D_t2133601851* L_542 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_543 = V_1; NullCheck(L_542); IL2CPP_ARRAY_BOUNDS_CHECK(L_542, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_543>>((int32_t)24)))))); uintptr_t L_544 = (((uintptr_t)((int32_t)((uint32_t)L_543>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_545 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_546 = V_0; NullCheck(L_545); IL2CPP_ARRAY_BOUNDS_CHECK(L_545, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_546>>((int32_t)16))))))); int32_t L_547 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_546>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_548 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_549 = V_6; NullCheck(L_548); IL2CPP_ARRAY_BOUNDS_CHECK(L_548, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_549>>8)))))); int32_t L_550 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_549>>8))))); UInt32U5BU5D_t2133601851* L_551 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_552 = V_5; NullCheck(L_551); IL2CPP_ARRAY_BOUNDS_CHECK(L_551, (((int32_t)((uint8_t)L_552)))); int32_t L_553 = (((int32_t)((uint8_t)L_552))); UInt32U5BU5D_t2133601851* L_554 = ___ekey; NullCheck(L_554); IL2CPP_ARRAY_BOUNDS_CHECK(L_554, ((int32_t)41)); int32_t L_555 = ((int32_t)41); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_542)->GetAt(static_cast<il2cpp_array_size_t>(L_544)))^(int32_t)((L_545)->GetAt(static_cast<il2cpp_array_size_t>(L_547)))))^(int32_t)((L_548)->GetAt(static_cast<il2cpp_array_size_t>(L_550)))))^(int32_t)((L_551)->GetAt(static_cast<il2cpp_array_size_t>(L_553)))))^(int32_t)((L_554)->GetAt(static_cast<il2cpp_array_size_t>(L_555))))); UInt32U5BU5D_t2133601851* L_556 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_557 = V_2; NullCheck(L_556); IL2CPP_ARRAY_BOUNDS_CHECK(L_556, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_557>>((int32_t)24)))))); uintptr_t L_558 = (((uintptr_t)((int32_t)((uint32_t)L_557>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_559 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_560 = V_1; NullCheck(L_559); IL2CPP_ARRAY_BOUNDS_CHECK(L_559, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_560>>((int32_t)16))))))); int32_t L_561 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_560>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_562 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_563 = V_7; NullCheck(L_562); IL2CPP_ARRAY_BOUNDS_CHECK(L_562, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_563>>8)))))); int32_t L_564 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_563>>8))))); UInt32U5BU5D_t2133601851* L_565 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_566 = V_6; NullCheck(L_565); IL2CPP_ARRAY_BOUNDS_CHECK(L_565, (((int32_t)((uint8_t)L_566)))); int32_t L_567 = (((int32_t)((uint8_t)L_566))); UInt32U5BU5D_t2133601851* L_568 = ___ekey; NullCheck(L_568); IL2CPP_ARRAY_BOUNDS_CHECK(L_568, ((int32_t)42)); int32_t L_569 = ((int32_t)42); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_556)->GetAt(static_cast<il2cpp_array_size_t>(L_558)))^(int32_t)((L_559)->GetAt(static_cast<il2cpp_array_size_t>(L_561)))))^(int32_t)((L_562)->GetAt(static_cast<il2cpp_array_size_t>(L_564)))))^(int32_t)((L_565)->GetAt(static_cast<il2cpp_array_size_t>(L_567)))))^(int32_t)((L_568)->GetAt(static_cast<il2cpp_array_size_t>(L_569))))); UInt32U5BU5D_t2133601851* L_570 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_571 = V_3; NullCheck(L_570); IL2CPP_ARRAY_BOUNDS_CHECK(L_570, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_571>>((int32_t)24)))))); uintptr_t L_572 = (((uintptr_t)((int32_t)((uint32_t)L_571>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_573 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_574 = V_2; NullCheck(L_573); IL2CPP_ARRAY_BOUNDS_CHECK(L_573, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_574>>((int32_t)16))))))); int32_t L_575 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_574>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_576 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_577 = V_0; NullCheck(L_576); IL2CPP_ARRAY_BOUNDS_CHECK(L_576, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_577>>8)))))); int32_t L_578 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_577>>8))))); UInt32U5BU5D_t2133601851* L_579 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_580 = V_7; NullCheck(L_579); IL2CPP_ARRAY_BOUNDS_CHECK(L_579, (((int32_t)((uint8_t)L_580)))); int32_t L_581 = (((int32_t)((uint8_t)L_580))); UInt32U5BU5D_t2133601851* L_582 = ___ekey; NullCheck(L_582); IL2CPP_ARRAY_BOUNDS_CHECK(L_582, ((int32_t)43)); int32_t L_583 = ((int32_t)43); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_570)->GetAt(static_cast<il2cpp_array_size_t>(L_572)))^(int32_t)((L_573)->GetAt(static_cast<il2cpp_array_size_t>(L_575)))))^(int32_t)((L_576)->GetAt(static_cast<il2cpp_array_size_t>(L_578)))))^(int32_t)((L_579)->GetAt(static_cast<il2cpp_array_size_t>(L_581)))))^(int32_t)((L_582)->GetAt(static_cast<il2cpp_array_size_t>(L_583))))); UInt32U5BU5D_t2133601851* L_584 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_585 = V_4; NullCheck(L_584); IL2CPP_ARRAY_BOUNDS_CHECK(L_584, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_585>>((int32_t)24)))))); uintptr_t L_586 = (((uintptr_t)((int32_t)((uint32_t)L_585>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_587 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_588 = V_3; NullCheck(L_587); IL2CPP_ARRAY_BOUNDS_CHECK(L_587, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_588>>((int32_t)16))))))); int32_t L_589 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_588>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_590 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_591 = V_1; NullCheck(L_590); IL2CPP_ARRAY_BOUNDS_CHECK(L_590, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_591>>8)))))); int32_t L_592 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_591>>8))))); UInt32U5BU5D_t2133601851* L_593 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_594 = V_0; NullCheck(L_593); IL2CPP_ARRAY_BOUNDS_CHECK(L_593, (((int32_t)((uint8_t)L_594)))); int32_t L_595 = (((int32_t)((uint8_t)L_594))); UInt32U5BU5D_t2133601851* L_596 = ___ekey; NullCheck(L_596); IL2CPP_ARRAY_BOUNDS_CHECK(L_596, ((int32_t)44)); int32_t L_597 = ((int32_t)44); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_584)->GetAt(static_cast<il2cpp_array_size_t>(L_586)))^(int32_t)((L_587)->GetAt(static_cast<il2cpp_array_size_t>(L_589)))))^(int32_t)((L_590)->GetAt(static_cast<il2cpp_array_size_t>(L_592)))))^(int32_t)((L_593)->GetAt(static_cast<il2cpp_array_size_t>(L_595)))))^(int32_t)((L_596)->GetAt(static_cast<il2cpp_array_size_t>(L_597))))); UInt32U5BU5D_t2133601851* L_598 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_599 = V_5; NullCheck(L_598); IL2CPP_ARRAY_BOUNDS_CHECK(L_598, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_599>>((int32_t)24)))))); uintptr_t L_600 = (((uintptr_t)((int32_t)((uint32_t)L_599>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_601 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_602 = V_4; NullCheck(L_601); IL2CPP_ARRAY_BOUNDS_CHECK(L_601, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_602>>((int32_t)16))))))); int32_t L_603 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_602>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_604 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_605 = V_2; NullCheck(L_604); IL2CPP_ARRAY_BOUNDS_CHECK(L_604, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_605>>8)))))); int32_t L_606 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_605>>8))))); UInt32U5BU5D_t2133601851* L_607 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_608 = V_1; NullCheck(L_607); IL2CPP_ARRAY_BOUNDS_CHECK(L_607, (((int32_t)((uint8_t)L_608)))); int32_t L_609 = (((int32_t)((uint8_t)L_608))); UInt32U5BU5D_t2133601851* L_610 = ___ekey; NullCheck(L_610); IL2CPP_ARRAY_BOUNDS_CHECK(L_610, ((int32_t)45)); int32_t L_611 = ((int32_t)45); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_598)->GetAt(static_cast<il2cpp_array_size_t>(L_600)))^(int32_t)((L_601)->GetAt(static_cast<il2cpp_array_size_t>(L_603)))))^(int32_t)((L_604)->GetAt(static_cast<il2cpp_array_size_t>(L_606)))))^(int32_t)((L_607)->GetAt(static_cast<il2cpp_array_size_t>(L_609)))))^(int32_t)((L_610)->GetAt(static_cast<il2cpp_array_size_t>(L_611))))); UInt32U5BU5D_t2133601851* L_612 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_613 = V_6; NullCheck(L_612); IL2CPP_ARRAY_BOUNDS_CHECK(L_612, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_613>>((int32_t)24)))))); uintptr_t L_614 = (((uintptr_t)((int32_t)((uint32_t)L_613>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_615 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_616 = V_5; NullCheck(L_615); IL2CPP_ARRAY_BOUNDS_CHECK(L_615, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_616>>((int32_t)16))))))); int32_t L_617 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_616>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_618 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_619 = V_3; NullCheck(L_618); IL2CPP_ARRAY_BOUNDS_CHECK(L_618, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_619>>8)))))); int32_t L_620 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_619>>8))))); UInt32U5BU5D_t2133601851* L_621 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_622 = V_2; NullCheck(L_621); IL2CPP_ARRAY_BOUNDS_CHECK(L_621, (((int32_t)((uint8_t)L_622)))); int32_t L_623 = (((int32_t)((uint8_t)L_622))); UInt32U5BU5D_t2133601851* L_624 = ___ekey; NullCheck(L_624); IL2CPP_ARRAY_BOUNDS_CHECK(L_624, ((int32_t)46)); int32_t L_625 = ((int32_t)46); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_612)->GetAt(static_cast<il2cpp_array_size_t>(L_614)))^(int32_t)((L_615)->GetAt(static_cast<il2cpp_array_size_t>(L_617)))))^(int32_t)((L_618)->GetAt(static_cast<il2cpp_array_size_t>(L_620)))))^(int32_t)((L_621)->GetAt(static_cast<il2cpp_array_size_t>(L_623)))))^(int32_t)((L_624)->GetAt(static_cast<il2cpp_array_size_t>(L_625))))); UInt32U5BU5D_t2133601851* L_626 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_627 = V_7; NullCheck(L_626); IL2CPP_ARRAY_BOUNDS_CHECK(L_626, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_627>>((int32_t)24)))))); uintptr_t L_628 = (((uintptr_t)((int32_t)((uint32_t)L_627>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_629 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_630 = V_6; NullCheck(L_629); IL2CPP_ARRAY_BOUNDS_CHECK(L_629, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_630>>((int32_t)16))))))); int32_t L_631 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_630>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_632 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_633 = V_4; NullCheck(L_632); IL2CPP_ARRAY_BOUNDS_CHECK(L_632, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_633>>8)))))); int32_t L_634 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_633>>8))))); UInt32U5BU5D_t2133601851* L_635 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_636 = V_3; NullCheck(L_635); IL2CPP_ARRAY_BOUNDS_CHECK(L_635, (((int32_t)((uint8_t)L_636)))); int32_t L_637 = (((int32_t)((uint8_t)L_636))); UInt32U5BU5D_t2133601851* L_638 = ___ekey; NullCheck(L_638); IL2CPP_ARRAY_BOUNDS_CHECK(L_638, ((int32_t)47)); int32_t L_639 = ((int32_t)47); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_626)->GetAt(static_cast<il2cpp_array_size_t>(L_628)))^(int32_t)((L_629)->GetAt(static_cast<il2cpp_array_size_t>(L_631)))))^(int32_t)((L_632)->GetAt(static_cast<il2cpp_array_size_t>(L_634)))))^(int32_t)((L_635)->GetAt(static_cast<il2cpp_array_size_t>(L_637)))))^(int32_t)((L_638)->GetAt(static_cast<il2cpp_array_size_t>(L_639))))); UInt32U5BU5D_t2133601851* L_640 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_641 = V_8; NullCheck(L_640); IL2CPP_ARRAY_BOUNDS_CHECK(L_640, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_641>>((int32_t)24)))))); uintptr_t L_642 = (((uintptr_t)((int32_t)((uint32_t)L_641>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_643 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_644 = V_15; NullCheck(L_643); IL2CPP_ARRAY_BOUNDS_CHECK(L_643, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_644>>((int32_t)16))))))); int32_t L_645 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_644>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_646 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_647 = V_13; NullCheck(L_646); IL2CPP_ARRAY_BOUNDS_CHECK(L_646, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_647>>8)))))); int32_t L_648 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_647>>8))))); UInt32U5BU5D_t2133601851* L_649 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_650 = V_12; NullCheck(L_649); IL2CPP_ARRAY_BOUNDS_CHECK(L_649, (((int32_t)((uint8_t)L_650)))); int32_t L_651 = (((int32_t)((uint8_t)L_650))); UInt32U5BU5D_t2133601851* L_652 = ___ekey; NullCheck(L_652); IL2CPP_ARRAY_BOUNDS_CHECK(L_652, ((int32_t)48)); int32_t L_653 = ((int32_t)48); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_640)->GetAt(static_cast<il2cpp_array_size_t>(L_642)))^(int32_t)((L_643)->GetAt(static_cast<il2cpp_array_size_t>(L_645)))))^(int32_t)((L_646)->GetAt(static_cast<il2cpp_array_size_t>(L_648)))))^(int32_t)((L_649)->GetAt(static_cast<il2cpp_array_size_t>(L_651)))))^(int32_t)((L_652)->GetAt(static_cast<il2cpp_array_size_t>(L_653))))); UInt32U5BU5D_t2133601851* L_654 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_655 = V_9; NullCheck(L_654); IL2CPP_ARRAY_BOUNDS_CHECK(L_654, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_655>>((int32_t)24)))))); uintptr_t L_656 = (((uintptr_t)((int32_t)((uint32_t)L_655>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_657 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_658 = V_8; NullCheck(L_657); IL2CPP_ARRAY_BOUNDS_CHECK(L_657, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_658>>((int32_t)16))))))); int32_t L_659 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_658>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_660 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_661 = V_14; NullCheck(L_660); IL2CPP_ARRAY_BOUNDS_CHECK(L_660, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_661>>8)))))); int32_t L_662 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_661>>8))))); UInt32U5BU5D_t2133601851* L_663 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_664 = V_13; NullCheck(L_663); IL2CPP_ARRAY_BOUNDS_CHECK(L_663, (((int32_t)((uint8_t)L_664)))); int32_t L_665 = (((int32_t)((uint8_t)L_664))); UInt32U5BU5D_t2133601851* L_666 = ___ekey; NullCheck(L_666); IL2CPP_ARRAY_BOUNDS_CHECK(L_666, ((int32_t)49)); int32_t L_667 = ((int32_t)49); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_654)->GetAt(static_cast<il2cpp_array_size_t>(L_656)))^(int32_t)((L_657)->GetAt(static_cast<il2cpp_array_size_t>(L_659)))))^(int32_t)((L_660)->GetAt(static_cast<il2cpp_array_size_t>(L_662)))))^(int32_t)((L_663)->GetAt(static_cast<il2cpp_array_size_t>(L_665)))))^(int32_t)((L_666)->GetAt(static_cast<il2cpp_array_size_t>(L_667))))); UInt32U5BU5D_t2133601851* L_668 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_669 = V_10; NullCheck(L_668); IL2CPP_ARRAY_BOUNDS_CHECK(L_668, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_669>>((int32_t)24)))))); uintptr_t L_670 = (((uintptr_t)((int32_t)((uint32_t)L_669>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_671 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_672 = V_9; NullCheck(L_671); IL2CPP_ARRAY_BOUNDS_CHECK(L_671, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_672>>((int32_t)16))))))); int32_t L_673 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_672>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_674 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_675 = V_15; NullCheck(L_674); IL2CPP_ARRAY_BOUNDS_CHECK(L_674, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_675>>8)))))); int32_t L_676 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_675>>8))))); UInt32U5BU5D_t2133601851* L_677 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_678 = V_14; NullCheck(L_677); IL2CPP_ARRAY_BOUNDS_CHECK(L_677, (((int32_t)((uint8_t)L_678)))); int32_t L_679 = (((int32_t)((uint8_t)L_678))); UInt32U5BU5D_t2133601851* L_680 = ___ekey; NullCheck(L_680); IL2CPP_ARRAY_BOUNDS_CHECK(L_680, ((int32_t)50)); int32_t L_681 = ((int32_t)50); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_668)->GetAt(static_cast<il2cpp_array_size_t>(L_670)))^(int32_t)((L_671)->GetAt(static_cast<il2cpp_array_size_t>(L_673)))))^(int32_t)((L_674)->GetAt(static_cast<il2cpp_array_size_t>(L_676)))))^(int32_t)((L_677)->GetAt(static_cast<il2cpp_array_size_t>(L_679)))))^(int32_t)((L_680)->GetAt(static_cast<il2cpp_array_size_t>(L_681))))); UInt32U5BU5D_t2133601851* L_682 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_683 = V_11; NullCheck(L_682); IL2CPP_ARRAY_BOUNDS_CHECK(L_682, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_683>>((int32_t)24)))))); uintptr_t L_684 = (((uintptr_t)((int32_t)((uint32_t)L_683>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_685 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_686 = V_10; NullCheck(L_685); IL2CPP_ARRAY_BOUNDS_CHECK(L_685, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_686>>((int32_t)16))))))); int32_t L_687 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_686>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_688 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_689 = V_8; NullCheck(L_688); IL2CPP_ARRAY_BOUNDS_CHECK(L_688, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_689>>8)))))); int32_t L_690 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_689>>8))))); UInt32U5BU5D_t2133601851* L_691 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_692 = V_15; NullCheck(L_691); IL2CPP_ARRAY_BOUNDS_CHECK(L_691, (((int32_t)((uint8_t)L_692)))); int32_t L_693 = (((int32_t)((uint8_t)L_692))); UInt32U5BU5D_t2133601851* L_694 = ___ekey; NullCheck(L_694); IL2CPP_ARRAY_BOUNDS_CHECK(L_694, ((int32_t)51)); int32_t L_695 = ((int32_t)51); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_682)->GetAt(static_cast<il2cpp_array_size_t>(L_684)))^(int32_t)((L_685)->GetAt(static_cast<il2cpp_array_size_t>(L_687)))))^(int32_t)((L_688)->GetAt(static_cast<il2cpp_array_size_t>(L_690)))))^(int32_t)((L_691)->GetAt(static_cast<il2cpp_array_size_t>(L_693)))))^(int32_t)((L_694)->GetAt(static_cast<il2cpp_array_size_t>(L_695))))); UInt32U5BU5D_t2133601851* L_696 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_697 = V_12; NullCheck(L_696); IL2CPP_ARRAY_BOUNDS_CHECK(L_696, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_697>>((int32_t)24)))))); uintptr_t L_698 = (((uintptr_t)((int32_t)((uint32_t)L_697>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_699 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_700 = V_11; NullCheck(L_699); IL2CPP_ARRAY_BOUNDS_CHECK(L_699, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_700>>((int32_t)16))))))); int32_t L_701 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_700>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_702 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_703 = V_9; NullCheck(L_702); IL2CPP_ARRAY_BOUNDS_CHECK(L_702, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_703>>8)))))); int32_t L_704 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_703>>8))))); UInt32U5BU5D_t2133601851* L_705 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_706 = V_8; NullCheck(L_705); IL2CPP_ARRAY_BOUNDS_CHECK(L_705, (((int32_t)((uint8_t)L_706)))); int32_t L_707 = (((int32_t)((uint8_t)L_706))); UInt32U5BU5D_t2133601851* L_708 = ___ekey; NullCheck(L_708); IL2CPP_ARRAY_BOUNDS_CHECK(L_708, ((int32_t)52)); int32_t L_709 = ((int32_t)52); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_696)->GetAt(static_cast<il2cpp_array_size_t>(L_698)))^(int32_t)((L_699)->GetAt(static_cast<il2cpp_array_size_t>(L_701)))))^(int32_t)((L_702)->GetAt(static_cast<il2cpp_array_size_t>(L_704)))))^(int32_t)((L_705)->GetAt(static_cast<il2cpp_array_size_t>(L_707)))))^(int32_t)((L_708)->GetAt(static_cast<il2cpp_array_size_t>(L_709))))); UInt32U5BU5D_t2133601851* L_710 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_711 = V_13; NullCheck(L_710); IL2CPP_ARRAY_BOUNDS_CHECK(L_710, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_711>>((int32_t)24)))))); uintptr_t L_712 = (((uintptr_t)((int32_t)((uint32_t)L_711>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_713 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_714 = V_12; NullCheck(L_713); IL2CPP_ARRAY_BOUNDS_CHECK(L_713, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_714>>((int32_t)16))))))); int32_t L_715 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_714>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_716 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_717 = V_10; NullCheck(L_716); IL2CPP_ARRAY_BOUNDS_CHECK(L_716, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_717>>8)))))); int32_t L_718 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_717>>8))))); UInt32U5BU5D_t2133601851* L_719 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_720 = V_9; NullCheck(L_719); IL2CPP_ARRAY_BOUNDS_CHECK(L_719, (((int32_t)((uint8_t)L_720)))); int32_t L_721 = (((int32_t)((uint8_t)L_720))); UInt32U5BU5D_t2133601851* L_722 = ___ekey; NullCheck(L_722); IL2CPP_ARRAY_BOUNDS_CHECK(L_722, ((int32_t)53)); int32_t L_723 = ((int32_t)53); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_710)->GetAt(static_cast<il2cpp_array_size_t>(L_712)))^(int32_t)((L_713)->GetAt(static_cast<il2cpp_array_size_t>(L_715)))))^(int32_t)((L_716)->GetAt(static_cast<il2cpp_array_size_t>(L_718)))))^(int32_t)((L_719)->GetAt(static_cast<il2cpp_array_size_t>(L_721)))))^(int32_t)((L_722)->GetAt(static_cast<il2cpp_array_size_t>(L_723))))); UInt32U5BU5D_t2133601851* L_724 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_725 = V_14; NullCheck(L_724); IL2CPP_ARRAY_BOUNDS_CHECK(L_724, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_725>>((int32_t)24)))))); uintptr_t L_726 = (((uintptr_t)((int32_t)((uint32_t)L_725>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_727 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_728 = V_13; NullCheck(L_727); IL2CPP_ARRAY_BOUNDS_CHECK(L_727, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_728>>((int32_t)16))))))); int32_t L_729 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_728>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_730 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_731 = V_11; NullCheck(L_730); IL2CPP_ARRAY_BOUNDS_CHECK(L_730, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_731>>8)))))); int32_t L_732 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_731>>8))))); UInt32U5BU5D_t2133601851* L_733 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_734 = V_10; NullCheck(L_733); IL2CPP_ARRAY_BOUNDS_CHECK(L_733, (((int32_t)((uint8_t)L_734)))); int32_t L_735 = (((int32_t)((uint8_t)L_734))); UInt32U5BU5D_t2133601851* L_736 = ___ekey; NullCheck(L_736); IL2CPP_ARRAY_BOUNDS_CHECK(L_736, ((int32_t)54)); int32_t L_737 = ((int32_t)54); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_724)->GetAt(static_cast<il2cpp_array_size_t>(L_726)))^(int32_t)((L_727)->GetAt(static_cast<il2cpp_array_size_t>(L_729)))))^(int32_t)((L_730)->GetAt(static_cast<il2cpp_array_size_t>(L_732)))))^(int32_t)((L_733)->GetAt(static_cast<il2cpp_array_size_t>(L_735)))))^(int32_t)((L_736)->GetAt(static_cast<il2cpp_array_size_t>(L_737))))); UInt32U5BU5D_t2133601851* L_738 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_739 = V_15; NullCheck(L_738); IL2CPP_ARRAY_BOUNDS_CHECK(L_738, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_739>>((int32_t)24)))))); uintptr_t L_740 = (((uintptr_t)((int32_t)((uint32_t)L_739>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_741 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_742 = V_14; NullCheck(L_741); IL2CPP_ARRAY_BOUNDS_CHECK(L_741, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_742>>((int32_t)16))))))); int32_t L_743 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_742>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_744 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_745 = V_12; NullCheck(L_744); IL2CPP_ARRAY_BOUNDS_CHECK(L_744, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_745>>8)))))); int32_t L_746 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_745>>8))))); UInt32U5BU5D_t2133601851* L_747 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_748 = V_11; NullCheck(L_747); IL2CPP_ARRAY_BOUNDS_CHECK(L_747, (((int32_t)((uint8_t)L_748)))); int32_t L_749 = (((int32_t)((uint8_t)L_748))); UInt32U5BU5D_t2133601851* L_750 = ___ekey; NullCheck(L_750); IL2CPP_ARRAY_BOUNDS_CHECK(L_750, ((int32_t)55)); int32_t L_751 = ((int32_t)55); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_738)->GetAt(static_cast<il2cpp_array_size_t>(L_740)))^(int32_t)((L_741)->GetAt(static_cast<il2cpp_array_size_t>(L_743)))))^(int32_t)((L_744)->GetAt(static_cast<il2cpp_array_size_t>(L_746)))))^(int32_t)((L_747)->GetAt(static_cast<il2cpp_array_size_t>(L_749)))))^(int32_t)((L_750)->GetAt(static_cast<il2cpp_array_size_t>(L_751))))); UInt32U5BU5D_t2133601851* L_752 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_753 = V_0; NullCheck(L_752); IL2CPP_ARRAY_BOUNDS_CHECK(L_752, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_753>>((int32_t)24)))))); uintptr_t L_754 = (((uintptr_t)((int32_t)((uint32_t)L_753>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_755 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_756 = V_7; NullCheck(L_755); IL2CPP_ARRAY_BOUNDS_CHECK(L_755, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_756>>((int32_t)16))))))); int32_t L_757 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_756>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_758 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_759 = V_5; NullCheck(L_758); IL2CPP_ARRAY_BOUNDS_CHECK(L_758, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_759>>8)))))); int32_t L_760 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_759>>8))))); UInt32U5BU5D_t2133601851* L_761 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_762 = V_4; NullCheck(L_761); IL2CPP_ARRAY_BOUNDS_CHECK(L_761, (((int32_t)((uint8_t)L_762)))); int32_t L_763 = (((int32_t)((uint8_t)L_762))); UInt32U5BU5D_t2133601851* L_764 = ___ekey; NullCheck(L_764); IL2CPP_ARRAY_BOUNDS_CHECK(L_764, ((int32_t)56)); int32_t L_765 = ((int32_t)56); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_752)->GetAt(static_cast<il2cpp_array_size_t>(L_754)))^(int32_t)((L_755)->GetAt(static_cast<il2cpp_array_size_t>(L_757)))))^(int32_t)((L_758)->GetAt(static_cast<il2cpp_array_size_t>(L_760)))))^(int32_t)((L_761)->GetAt(static_cast<il2cpp_array_size_t>(L_763)))))^(int32_t)((L_764)->GetAt(static_cast<il2cpp_array_size_t>(L_765))))); UInt32U5BU5D_t2133601851* L_766 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_767 = V_1; NullCheck(L_766); IL2CPP_ARRAY_BOUNDS_CHECK(L_766, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_767>>((int32_t)24)))))); uintptr_t L_768 = (((uintptr_t)((int32_t)((uint32_t)L_767>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_769 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_770 = V_0; NullCheck(L_769); IL2CPP_ARRAY_BOUNDS_CHECK(L_769, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_770>>((int32_t)16))))))); int32_t L_771 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_770>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_772 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_773 = V_6; NullCheck(L_772); IL2CPP_ARRAY_BOUNDS_CHECK(L_772, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_773>>8)))))); int32_t L_774 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_773>>8))))); UInt32U5BU5D_t2133601851* L_775 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_776 = V_5; NullCheck(L_775); IL2CPP_ARRAY_BOUNDS_CHECK(L_775, (((int32_t)((uint8_t)L_776)))); int32_t L_777 = (((int32_t)((uint8_t)L_776))); UInt32U5BU5D_t2133601851* L_778 = ___ekey; NullCheck(L_778); IL2CPP_ARRAY_BOUNDS_CHECK(L_778, ((int32_t)57)); int32_t L_779 = ((int32_t)57); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_766)->GetAt(static_cast<il2cpp_array_size_t>(L_768)))^(int32_t)((L_769)->GetAt(static_cast<il2cpp_array_size_t>(L_771)))))^(int32_t)((L_772)->GetAt(static_cast<il2cpp_array_size_t>(L_774)))))^(int32_t)((L_775)->GetAt(static_cast<il2cpp_array_size_t>(L_777)))))^(int32_t)((L_778)->GetAt(static_cast<il2cpp_array_size_t>(L_779))))); UInt32U5BU5D_t2133601851* L_780 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_781 = V_2; NullCheck(L_780); IL2CPP_ARRAY_BOUNDS_CHECK(L_780, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_781>>((int32_t)24)))))); uintptr_t L_782 = (((uintptr_t)((int32_t)((uint32_t)L_781>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_783 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_784 = V_1; NullCheck(L_783); IL2CPP_ARRAY_BOUNDS_CHECK(L_783, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_784>>((int32_t)16))))))); int32_t L_785 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_784>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_786 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_787 = V_7; NullCheck(L_786); IL2CPP_ARRAY_BOUNDS_CHECK(L_786, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_787>>8)))))); int32_t L_788 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_787>>8))))); UInt32U5BU5D_t2133601851* L_789 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_790 = V_6; NullCheck(L_789); IL2CPP_ARRAY_BOUNDS_CHECK(L_789, (((int32_t)((uint8_t)L_790)))); int32_t L_791 = (((int32_t)((uint8_t)L_790))); UInt32U5BU5D_t2133601851* L_792 = ___ekey; NullCheck(L_792); IL2CPP_ARRAY_BOUNDS_CHECK(L_792, ((int32_t)58)); int32_t L_793 = ((int32_t)58); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_780)->GetAt(static_cast<il2cpp_array_size_t>(L_782)))^(int32_t)((L_783)->GetAt(static_cast<il2cpp_array_size_t>(L_785)))))^(int32_t)((L_786)->GetAt(static_cast<il2cpp_array_size_t>(L_788)))))^(int32_t)((L_789)->GetAt(static_cast<il2cpp_array_size_t>(L_791)))))^(int32_t)((L_792)->GetAt(static_cast<il2cpp_array_size_t>(L_793))))); UInt32U5BU5D_t2133601851* L_794 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_795 = V_3; NullCheck(L_794); IL2CPP_ARRAY_BOUNDS_CHECK(L_794, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_795>>((int32_t)24)))))); uintptr_t L_796 = (((uintptr_t)((int32_t)((uint32_t)L_795>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_797 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_798 = V_2; NullCheck(L_797); IL2CPP_ARRAY_BOUNDS_CHECK(L_797, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_798>>((int32_t)16))))))); int32_t L_799 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_798>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_800 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_801 = V_0; NullCheck(L_800); IL2CPP_ARRAY_BOUNDS_CHECK(L_800, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_801>>8)))))); int32_t L_802 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_801>>8))))); UInt32U5BU5D_t2133601851* L_803 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_804 = V_7; NullCheck(L_803); IL2CPP_ARRAY_BOUNDS_CHECK(L_803, (((int32_t)((uint8_t)L_804)))); int32_t L_805 = (((int32_t)((uint8_t)L_804))); UInt32U5BU5D_t2133601851* L_806 = ___ekey; NullCheck(L_806); IL2CPP_ARRAY_BOUNDS_CHECK(L_806, ((int32_t)59)); int32_t L_807 = ((int32_t)59); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_794)->GetAt(static_cast<il2cpp_array_size_t>(L_796)))^(int32_t)((L_797)->GetAt(static_cast<il2cpp_array_size_t>(L_799)))))^(int32_t)((L_800)->GetAt(static_cast<il2cpp_array_size_t>(L_802)))))^(int32_t)((L_803)->GetAt(static_cast<il2cpp_array_size_t>(L_805)))))^(int32_t)((L_806)->GetAt(static_cast<il2cpp_array_size_t>(L_807))))); UInt32U5BU5D_t2133601851* L_808 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_809 = V_4; NullCheck(L_808); IL2CPP_ARRAY_BOUNDS_CHECK(L_808, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_809>>((int32_t)24)))))); uintptr_t L_810 = (((uintptr_t)((int32_t)((uint32_t)L_809>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_811 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_812 = V_3; NullCheck(L_811); IL2CPP_ARRAY_BOUNDS_CHECK(L_811, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_812>>((int32_t)16))))))); int32_t L_813 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_812>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_814 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_815 = V_1; NullCheck(L_814); IL2CPP_ARRAY_BOUNDS_CHECK(L_814, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_815>>8)))))); int32_t L_816 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_815>>8))))); UInt32U5BU5D_t2133601851* L_817 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_818 = V_0; NullCheck(L_817); IL2CPP_ARRAY_BOUNDS_CHECK(L_817, (((int32_t)((uint8_t)L_818)))); int32_t L_819 = (((int32_t)((uint8_t)L_818))); UInt32U5BU5D_t2133601851* L_820 = ___ekey; NullCheck(L_820); IL2CPP_ARRAY_BOUNDS_CHECK(L_820, ((int32_t)60)); int32_t L_821 = ((int32_t)60); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_808)->GetAt(static_cast<il2cpp_array_size_t>(L_810)))^(int32_t)((L_811)->GetAt(static_cast<il2cpp_array_size_t>(L_813)))))^(int32_t)((L_814)->GetAt(static_cast<il2cpp_array_size_t>(L_816)))))^(int32_t)((L_817)->GetAt(static_cast<il2cpp_array_size_t>(L_819)))))^(int32_t)((L_820)->GetAt(static_cast<il2cpp_array_size_t>(L_821))))); UInt32U5BU5D_t2133601851* L_822 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_823 = V_5; NullCheck(L_822); IL2CPP_ARRAY_BOUNDS_CHECK(L_822, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_823>>((int32_t)24)))))); uintptr_t L_824 = (((uintptr_t)((int32_t)((uint32_t)L_823>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_825 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_826 = V_4; NullCheck(L_825); IL2CPP_ARRAY_BOUNDS_CHECK(L_825, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_826>>((int32_t)16))))))); int32_t L_827 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_826>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_828 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_829 = V_2; NullCheck(L_828); IL2CPP_ARRAY_BOUNDS_CHECK(L_828, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_829>>8)))))); int32_t L_830 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_829>>8))))); UInt32U5BU5D_t2133601851* L_831 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_832 = V_1; NullCheck(L_831); IL2CPP_ARRAY_BOUNDS_CHECK(L_831, (((int32_t)((uint8_t)L_832)))); int32_t L_833 = (((int32_t)((uint8_t)L_832))); UInt32U5BU5D_t2133601851* L_834 = ___ekey; NullCheck(L_834); IL2CPP_ARRAY_BOUNDS_CHECK(L_834, ((int32_t)61)); int32_t L_835 = ((int32_t)61); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_822)->GetAt(static_cast<il2cpp_array_size_t>(L_824)))^(int32_t)((L_825)->GetAt(static_cast<il2cpp_array_size_t>(L_827)))))^(int32_t)((L_828)->GetAt(static_cast<il2cpp_array_size_t>(L_830)))))^(int32_t)((L_831)->GetAt(static_cast<il2cpp_array_size_t>(L_833)))))^(int32_t)((L_834)->GetAt(static_cast<il2cpp_array_size_t>(L_835))))); UInt32U5BU5D_t2133601851* L_836 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_837 = V_6; NullCheck(L_836); IL2CPP_ARRAY_BOUNDS_CHECK(L_836, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_837>>((int32_t)24)))))); uintptr_t L_838 = (((uintptr_t)((int32_t)((uint32_t)L_837>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_839 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_840 = V_5; NullCheck(L_839); IL2CPP_ARRAY_BOUNDS_CHECK(L_839, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_840>>((int32_t)16))))))); int32_t L_841 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_840>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_842 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_843 = V_3; NullCheck(L_842); IL2CPP_ARRAY_BOUNDS_CHECK(L_842, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_843>>8)))))); int32_t L_844 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_843>>8))))); UInt32U5BU5D_t2133601851* L_845 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_846 = V_2; NullCheck(L_845); IL2CPP_ARRAY_BOUNDS_CHECK(L_845, (((int32_t)((uint8_t)L_846)))); int32_t L_847 = (((int32_t)((uint8_t)L_846))); UInt32U5BU5D_t2133601851* L_848 = ___ekey; NullCheck(L_848); IL2CPP_ARRAY_BOUNDS_CHECK(L_848, ((int32_t)62)); int32_t L_849 = ((int32_t)62); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_836)->GetAt(static_cast<il2cpp_array_size_t>(L_838)))^(int32_t)((L_839)->GetAt(static_cast<il2cpp_array_size_t>(L_841)))))^(int32_t)((L_842)->GetAt(static_cast<il2cpp_array_size_t>(L_844)))))^(int32_t)((L_845)->GetAt(static_cast<il2cpp_array_size_t>(L_847)))))^(int32_t)((L_848)->GetAt(static_cast<il2cpp_array_size_t>(L_849))))); UInt32U5BU5D_t2133601851* L_850 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_851 = V_7; NullCheck(L_850); IL2CPP_ARRAY_BOUNDS_CHECK(L_850, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_851>>((int32_t)24)))))); uintptr_t L_852 = (((uintptr_t)((int32_t)((uint32_t)L_851>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_853 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_854 = V_6; NullCheck(L_853); IL2CPP_ARRAY_BOUNDS_CHECK(L_853, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_854>>((int32_t)16))))))); int32_t L_855 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_854>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_856 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_857 = V_4; NullCheck(L_856); IL2CPP_ARRAY_BOUNDS_CHECK(L_856, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_857>>8)))))); int32_t L_858 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_857>>8))))); UInt32U5BU5D_t2133601851* L_859 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_860 = V_3; NullCheck(L_859); IL2CPP_ARRAY_BOUNDS_CHECK(L_859, (((int32_t)((uint8_t)L_860)))); int32_t L_861 = (((int32_t)((uint8_t)L_860))); UInt32U5BU5D_t2133601851* L_862 = ___ekey; NullCheck(L_862); IL2CPP_ARRAY_BOUNDS_CHECK(L_862, ((int32_t)63)); int32_t L_863 = ((int32_t)63); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_850)->GetAt(static_cast<il2cpp_array_size_t>(L_852)))^(int32_t)((L_853)->GetAt(static_cast<il2cpp_array_size_t>(L_855)))))^(int32_t)((L_856)->GetAt(static_cast<il2cpp_array_size_t>(L_858)))))^(int32_t)((L_859)->GetAt(static_cast<il2cpp_array_size_t>(L_861)))))^(int32_t)((L_862)->GetAt(static_cast<il2cpp_array_size_t>(L_863))))); UInt32U5BU5D_t2133601851* L_864 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_865 = V_8; NullCheck(L_864); IL2CPP_ARRAY_BOUNDS_CHECK(L_864, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_865>>((int32_t)24)))))); uintptr_t L_866 = (((uintptr_t)((int32_t)((uint32_t)L_865>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_867 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_868 = V_15; NullCheck(L_867); IL2CPP_ARRAY_BOUNDS_CHECK(L_867, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_868>>((int32_t)16))))))); int32_t L_869 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_868>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_870 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_871 = V_13; NullCheck(L_870); IL2CPP_ARRAY_BOUNDS_CHECK(L_870, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_871>>8)))))); int32_t L_872 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_871>>8))))); UInt32U5BU5D_t2133601851* L_873 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_874 = V_12; NullCheck(L_873); IL2CPP_ARRAY_BOUNDS_CHECK(L_873, (((int32_t)((uint8_t)L_874)))); int32_t L_875 = (((int32_t)((uint8_t)L_874))); UInt32U5BU5D_t2133601851* L_876 = ___ekey; NullCheck(L_876); IL2CPP_ARRAY_BOUNDS_CHECK(L_876, ((int32_t)64)); int32_t L_877 = ((int32_t)64); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_864)->GetAt(static_cast<il2cpp_array_size_t>(L_866)))^(int32_t)((L_867)->GetAt(static_cast<il2cpp_array_size_t>(L_869)))))^(int32_t)((L_870)->GetAt(static_cast<il2cpp_array_size_t>(L_872)))))^(int32_t)((L_873)->GetAt(static_cast<il2cpp_array_size_t>(L_875)))))^(int32_t)((L_876)->GetAt(static_cast<il2cpp_array_size_t>(L_877))))); UInt32U5BU5D_t2133601851* L_878 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_879 = V_9; NullCheck(L_878); IL2CPP_ARRAY_BOUNDS_CHECK(L_878, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_879>>((int32_t)24)))))); uintptr_t L_880 = (((uintptr_t)((int32_t)((uint32_t)L_879>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_881 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_882 = V_8; NullCheck(L_881); IL2CPP_ARRAY_BOUNDS_CHECK(L_881, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_882>>((int32_t)16))))))); int32_t L_883 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_882>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_884 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_885 = V_14; NullCheck(L_884); IL2CPP_ARRAY_BOUNDS_CHECK(L_884, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_885>>8)))))); int32_t L_886 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_885>>8))))); UInt32U5BU5D_t2133601851* L_887 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_888 = V_13; NullCheck(L_887); IL2CPP_ARRAY_BOUNDS_CHECK(L_887, (((int32_t)((uint8_t)L_888)))); int32_t L_889 = (((int32_t)((uint8_t)L_888))); UInt32U5BU5D_t2133601851* L_890 = ___ekey; NullCheck(L_890); IL2CPP_ARRAY_BOUNDS_CHECK(L_890, ((int32_t)65)); int32_t L_891 = ((int32_t)65); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_878)->GetAt(static_cast<il2cpp_array_size_t>(L_880)))^(int32_t)((L_881)->GetAt(static_cast<il2cpp_array_size_t>(L_883)))))^(int32_t)((L_884)->GetAt(static_cast<il2cpp_array_size_t>(L_886)))))^(int32_t)((L_887)->GetAt(static_cast<il2cpp_array_size_t>(L_889)))))^(int32_t)((L_890)->GetAt(static_cast<il2cpp_array_size_t>(L_891))))); UInt32U5BU5D_t2133601851* L_892 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_893 = V_10; NullCheck(L_892); IL2CPP_ARRAY_BOUNDS_CHECK(L_892, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_893>>((int32_t)24)))))); uintptr_t L_894 = (((uintptr_t)((int32_t)((uint32_t)L_893>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_895 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_896 = V_9; NullCheck(L_895); IL2CPP_ARRAY_BOUNDS_CHECK(L_895, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_896>>((int32_t)16))))))); int32_t L_897 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_896>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_898 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_899 = V_15; NullCheck(L_898); IL2CPP_ARRAY_BOUNDS_CHECK(L_898, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_899>>8)))))); int32_t L_900 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_899>>8))))); UInt32U5BU5D_t2133601851* L_901 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_902 = V_14; NullCheck(L_901); IL2CPP_ARRAY_BOUNDS_CHECK(L_901, (((int32_t)((uint8_t)L_902)))); int32_t L_903 = (((int32_t)((uint8_t)L_902))); UInt32U5BU5D_t2133601851* L_904 = ___ekey; NullCheck(L_904); IL2CPP_ARRAY_BOUNDS_CHECK(L_904, ((int32_t)66)); int32_t L_905 = ((int32_t)66); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_892)->GetAt(static_cast<il2cpp_array_size_t>(L_894)))^(int32_t)((L_895)->GetAt(static_cast<il2cpp_array_size_t>(L_897)))))^(int32_t)((L_898)->GetAt(static_cast<il2cpp_array_size_t>(L_900)))))^(int32_t)((L_901)->GetAt(static_cast<il2cpp_array_size_t>(L_903)))))^(int32_t)((L_904)->GetAt(static_cast<il2cpp_array_size_t>(L_905))))); UInt32U5BU5D_t2133601851* L_906 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_907 = V_11; NullCheck(L_906); IL2CPP_ARRAY_BOUNDS_CHECK(L_906, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_907>>((int32_t)24)))))); uintptr_t L_908 = (((uintptr_t)((int32_t)((uint32_t)L_907>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_909 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_910 = V_10; NullCheck(L_909); IL2CPP_ARRAY_BOUNDS_CHECK(L_909, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_910>>((int32_t)16))))))); int32_t L_911 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_910>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_912 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_913 = V_8; NullCheck(L_912); IL2CPP_ARRAY_BOUNDS_CHECK(L_912, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_913>>8)))))); int32_t L_914 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_913>>8))))); UInt32U5BU5D_t2133601851* L_915 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_916 = V_15; NullCheck(L_915); IL2CPP_ARRAY_BOUNDS_CHECK(L_915, (((int32_t)((uint8_t)L_916)))); int32_t L_917 = (((int32_t)((uint8_t)L_916))); UInt32U5BU5D_t2133601851* L_918 = ___ekey; NullCheck(L_918); IL2CPP_ARRAY_BOUNDS_CHECK(L_918, ((int32_t)67)); int32_t L_919 = ((int32_t)67); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_906)->GetAt(static_cast<il2cpp_array_size_t>(L_908)))^(int32_t)((L_909)->GetAt(static_cast<il2cpp_array_size_t>(L_911)))))^(int32_t)((L_912)->GetAt(static_cast<il2cpp_array_size_t>(L_914)))))^(int32_t)((L_915)->GetAt(static_cast<il2cpp_array_size_t>(L_917)))))^(int32_t)((L_918)->GetAt(static_cast<il2cpp_array_size_t>(L_919))))); UInt32U5BU5D_t2133601851* L_920 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_921 = V_12; NullCheck(L_920); IL2CPP_ARRAY_BOUNDS_CHECK(L_920, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_921>>((int32_t)24)))))); uintptr_t L_922 = (((uintptr_t)((int32_t)((uint32_t)L_921>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_923 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_924 = V_11; NullCheck(L_923); IL2CPP_ARRAY_BOUNDS_CHECK(L_923, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_924>>((int32_t)16))))))); int32_t L_925 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_924>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_926 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_927 = V_9; NullCheck(L_926); IL2CPP_ARRAY_BOUNDS_CHECK(L_926, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_927>>8)))))); int32_t L_928 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_927>>8))))); UInt32U5BU5D_t2133601851* L_929 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_930 = V_8; NullCheck(L_929); IL2CPP_ARRAY_BOUNDS_CHECK(L_929, (((int32_t)((uint8_t)L_930)))); int32_t L_931 = (((int32_t)((uint8_t)L_930))); UInt32U5BU5D_t2133601851* L_932 = ___ekey; NullCheck(L_932); IL2CPP_ARRAY_BOUNDS_CHECK(L_932, ((int32_t)68)); int32_t L_933 = ((int32_t)68); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_920)->GetAt(static_cast<il2cpp_array_size_t>(L_922)))^(int32_t)((L_923)->GetAt(static_cast<il2cpp_array_size_t>(L_925)))))^(int32_t)((L_926)->GetAt(static_cast<il2cpp_array_size_t>(L_928)))))^(int32_t)((L_929)->GetAt(static_cast<il2cpp_array_size_t>(L_931)))))^(int32_t)((L_932)->GetAt(static_cast<il2cpp_array_size_t>(L_933))))); UInt32U5BU5D_t2133601851* L_934 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_935 = V_13; NullCheck(L_934); IL2CPP_ARRAY_BOUNDS_CHECK(L_934, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_935>>((int32_t)24)))))); uintptr_t L_936 = (((uintptr_t)((int32_t)((uint32_t)L_935>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_937 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_938 = V_12; NullCheck(L_937); IL2CPP_ARRAY_BOUNDS_CHECK(L_937, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_938>>((int32_t)16))))))); int32_t L_939 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_938>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_940 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_941 = V_10; NullCheck(L_940); IL2CPP_ARRAY_BOUNDS_CHECK(L_940, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_941>>8)))))); int32_t L_942 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_941>>8))))); UInt32U5BU5D_t2133601851* L_943 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_944 = V_9; NullCheck(L_943); IL2CPP_ARRAY_BOUNDS_CHECK(L_943, (((int32_t)((uint8_t)L_944)))); int32_t L_945 = (((int32_t)((uint8_t)L_944))); UInt32U5BU5D_t2133601851* L_946 = ___ekey; NullCheck(L_946); IL2CPP_ARRAY_BOUNDS_CHECK(L_946, ((int32_t)69)); int32_t L_947 = ((int32_t)69); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_934)->GetAt(static_cast<il2cpp_array_size_t>(L_936)))^(int32_t)((L_937)->GetAt(static_cast<il2cpp_array_size_t>(L_939)))))^(int32_t)((L_940)->GetAt(static_cast<il2cpp_array_size_t>(L_942)))))^(int32_t)((L_943)->GetAt(static_cast<il2cpp_array_size_t>(L_945)))))^(int32_t)((L_946)->GetAt(static_cast<il2cpp_array_size_t>(L_947))))); UInt32U5BU5D_t2133601851* L_948 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_949 = V_14; NullCheck(L_948); IL2CPP_ARRAY_BOUNDS_CHECK(L_948, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_949>>((int32_t)24)))))); uintptr_t L_950 = (((uintptr_t)((int32_t)((uint32_t)L_949>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_951 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_952 = V_13; NullCheck(L_951); IL2CPP_ARRAY_BOUNDS_CHECK(L_951, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_952>>((int32_t)16))))))); int32_t L_953 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_952>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_954 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_955 = V_11; NullCheck(L_954); IL2CPP_ARRAY_BOUNDS_CHECK(L_954, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_955>>8)))))); int32_t L_956 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_955>>8))))); UInt32U5BU5D_t2133601851* L_957 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_958 = V_10; NullCheck(L_957); IL2CPP_ARRAY_BOUNDS_CHECK(L_957, (((int32_t)((uint8_t)L_958)))); int32_t L_959 = (((int32_t)((uint8_t)L_958))); UInt32U5BU5D_t2133601851* L_960 = ___ekey; NullCheck(L_960); IL2CPP_ARRAY_BOUNDS_CHECK(L_960, ((int32_t)70)); int32_t L_961 = ((int32_t)70); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_948)->GetAt(static_cast<il2cpp_array_size_t>(L_950)))^(int32_t)((L_951)->GetAt(static_cast<il2cpp_array_size_t>(L_953)))))^(int32_t)((L_954)->GetAt(static_cast<il2cpp_array_size_t>(L_956)))))^(int32_t)((L_957)->GetAt(static_cast<il2cpp_array_size_t>(L_959)))))^(int32_t)((L_960)->GetAt(static_cast<il2cpp_array_size_t>(L_961))))); UInt32U5BU5D_t2133601851* L_962 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_963 = V_15; NullCheck(L_962); IL2CPP_ARRAY_BOUNDS_CHECK(L_962, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_963>>((int32_t)24)))))); uintptr_t L_964 = (((uintptr_t)((int32_t)((uint32_t)L_963>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_965 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_966 = V_14; NullCheck(L_965); IL2CPP_ARRAY_BOUNDS_CHECK(L_965, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_966>>((int32_t)16))))))); int32_t L_967 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_966>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_968 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_969 = V_12; NullCheck(L_968); IL2CPP_ARRAY_BOUNDS_CHECK(L_968, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_969>>8)))))); int32_t L_970 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_969>>8))))); UInt32U5BU5D_t2133601851* L_971 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_972 = V_11; NullCheck(L_971); IL2CPP_ARRAY_BOUNDS_CHECK(L_971, (((int32_t)((uint8_t)L_972)))); int32_t L_973 = (((int32_t)((uint8_t)L_972))); UInt32U5BU5D_t2133601851* L_974 = ___ekey; NullCheck(L_974); IL2CPP_ARRAY_BOUNDS_CHECK(L_974, ((int32_t)71)); int32_t L_975 = ((int32_t)71); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_962)->GetAt(static_cast<il2cpp_array_size_t>(L_964)))^(int32_t)((L_965)->GetAt(static_cast<il2cpp_array_size_t>(L_967)))))^(int32_t)((L_968)->GetAt(static_cast<il2cpp_array_size_t>(L_970)))))^(int32_t)((L_971)->GetAt(static_cast<il2cpp_array_size_t>(L_973)))))^(int32_t)((L_974)->GetAt(static_cast<il2cpp_array_size_t>(L_975))))); UInt32U5BU5D_t2133601851* L_976 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_977 = V_0; NullCheck(L_976); IL2CPP_ARRAY_BOUNDS_CHECK(L_976, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_977>>((int32_t)24)))))); uintptr_t L_978 = (((uintptr_t)((int32_t)((uint32_t)L_977>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_979 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_980 = V_7; NullCheck(L_979); IL2CPP_ARRAY_BOUNDS_CHECK(L_979, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_980>>((int32_t)16))))))); int32_t L_981 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_980>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_982 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_983 = V_5; NullCheck(L_982); IL2CPP_ARRAY_BOUNDS_CHECK(L_982, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_983>>8)))))); int32_t L_984 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_983>>8))))); UInt32U5BU5D_t2133601851* L_985 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_986 = V_4; NullCheck(L_985); IL2CPP_ARRAY_BOUNDS_CHECK(L_985, (((int32_t)((uint8_t)L_986)))); int32_t L_987 = (((int32_t)((uint8_t)L_986))); UInt32U5BU5D_t2133601851* L_988 = ___ekey; NullCheck(L_988); IL2CPP_ARRAY_BOUNDS_CHECK(L_988, ((int32_t)72)); int32_t L_989 = ((int32_t)72); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_976)->GetAt(static_cast<il2cpp_array_size_t>(L_978)))^(int32_t)((L_979)->GetAt(static_cast<il2cpp_array_size_t>(L_981)))))^(int32_t)((L_982)->GetAt(static_cast<il2cpp_array_size_t>(L_984)))))^(int32_t)((L_985)->GetAt(static_cast<il2cpp_array_size_t>(L_987)))))^(int32_t)((L_988)->GetAt(static_cast<il2cpp_array_size_t>(L_989))))); UInt32U5BU5D_t2133601851* L_990 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_991 = V_1; NullCheck(L_990); IL2CPP_ARRAY_BOUNDS_CHECK(L_990, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_991>>((int32_t)24)))))); uintptr_t L_992 = (((uintptr_t)((int32_t)((uint32_t)L_991>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_993 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_994 = V_0; NullCheck(L_993); IL2CPP_ARRAY_BOUNDS_CHECK(L_993, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_994>>((int32_t)16))))))); int32_t L_995 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_994>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_996 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_997 = V_6; NullCheck(L_996); IL2CPP_ARRAY_BOUNDS_CHECK(L_996, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_997>>8)))))); int32_t L_998 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_997>>8))))); UInt32U5BU5D_t2133601851* L_999 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1000 = V_5; NullCheck(L_999); IL2CPP_ARRAY_BOUNDS_CHECK(L_999, (((int32_t)((uint8_t)L_1000)))); int32_t L_1001 = (((int32_t)((uint8_t)L_1000))); UInt32U5BU5D_t2133601851* L_1002 = ___ekey; NullCheck(L_1002); IL2CPP_ARRAY_BOUNDS_CHECK(L_1002, ((int32_t)73)); int32_t L_1003 = ((int32_t)73); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_990)->GetAt(static_cast<il2cpp_array_size_t>(L_992)))^(int32_t)((L_993)->GetAt(static_cast<il2cpp_array_size_t>(L_995)))))^(int32_t)((L_996)->GetAt(static_cast<il2cpp_array_size_t>(L_998)))))^(int32_t)((L_999)->GetAt(static_cast<il2cpp_array_size_t>(L_1001)))))^(int32_t)((L_1002)->GetAt(static_cast<il2cpp_array_size_t>(L_1003))))); UInt32U5BU5D_t2133601851* L_1004 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1005 = V_2; NullCheck(L_1004); IL2CPP_ARRAY_BOUNDS_CHECK(L_1004, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1005>>((int32_t)24)))))); uintptr_t L_1006 = (((uintptr_t)((int32_t)((uint32_t)L_1005>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1007 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1008 = V_1; NullCheck(L_1007); IL2CPP_ARRAY_BOUNDS_CHECK(L_1007, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1008>>((int32_t)16))))))); int32_t L_1009 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1008>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1010 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1011 = V_7; NullCheck(L_1010); IL2CPP_ARRAY_BOUNDS_CHECK(L_1010, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1011>>8)))))); int32_t L_1012 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1011>>8))))); UInt32U5BU5D_t2133601851* L_1013 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1014 = V_6; NullCheck(L_1013); IL2CPP_ARRAY_BOUNDS_CHECK(L_1013, (((int32_t)((uint8_t)L_1014)))); int32_t L_1015 = (((int32_t)((uint8_t)L_1014))); UInt32U5BU5D_t2133601851* L_1016 = ___ekey; NullCheck(L_1016); IL2CPP_ARRAY_BOUNDS_CHECK(L_1016, ((int32_t)74)); int32_t L_1017 = ((int32_t)74); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1004)->GetAt(static_cast<il2cpp_array_size_t>(L_1006)))^(int32_t)((L_1007)->GetAt(static_cast<il2cpp_array_size_t>(L_1009)))))^(int32_t)((L_1010)->GetAt(static_cast<il2cpp_array_size_t>(L_1012)))))^(int32_t)((L_1013)->GetAt(static_cast<il2cpp_array_size_t>(L_1015)))))^(int32_t)((L_1016)->GetAt(static_cast<il2cpp_array_size_t>(L_1017))))); UInt32U5BU5D_t2133601851* L_1018 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1019 = V_3; NullCheck(L_1018); IL2CPP_ARRAY_BOUNDS_CHECK(L_1018, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1019>>((int32_t)24)))))); uintptr_t L_1020 = (((uintptr_t)((int32_t)((uint32_t)L_1019>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1021 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1022 = V_2; NullCheck(L_1021); IL2CPP_ARRAY_BOUNDS_CHECK(L_1021, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1022>>((int32_t)16))))))); int32_t L_1023 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1022>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1024 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1025 = V_0; NullCheck(L_1024); IL2CPP_ARRAY_BOUNDS_CHECK(L_1024, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1025>>8)))))); int32_t L_1026 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1025>>8))))); UInt32U5BU5D_t2133601851* L_1027 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1028 = V_7; NullCheck(L_1027); IL2CPP_ARRAY_BOUNDS_CHECK(L_1027, (((int32_t)((uint8_t)L_1028)))); int32_t L_1029 = (((int32_t)((uint8_t)L_1028))); UInt32U5BU5D_t2133601851* L_1030 = ___ekey; NullCheck(L_1030); IL2CPP_ARRAY_BOUNDS_CHECK(L_1030, ((int32_t)75)); int32_t L_1031 = ((int32_t)75); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1018)->GetAt(static_cast<il2cpp_array_size_t>(L_1020)))^(int32_t)((L_1021)->GetAt(static_cast<il2cpp_array_size_t>(L_1023)))))^(int32_t)((L_1024)->GetAt(static_cast<il2cpp_array_size_t>(L_1026)))))^(int32_t)((L_1027)->GetAt(static_cast<il2cpp_array_size_t>(L_1029)))))^(int32_t)((L_1030)->GetAt(static_cast<il2cpp_array_size_t>(L_1031))))); UInt32U5BU5D_t2133601851* L_1032 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1033 = V_4; NullCheck(L_1032); IL2CPP_ARRAY_BOUNDS_CHECK(L_1032, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1033>>((int32_t)24)))))); uintptr_t L_1034 = (((uintptr_t)((int32_t)((uint32_t)L_1033>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1035 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1036 = V_3; NullCheck(L_1035); IL2CPP_ARRAY_BOUNDS_CHECK(L_1035, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1036>>((int32_t)16))))))); int32_t L_1037 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1036>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1038 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1039 = V_1; NullCheck(L_1038); IL2CPP_ARRAY_BOUNDS_CHECK(L_1038, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1039>>8)))))); int32_t L_1040 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1039>>8))))); UInt32U5BU5D_t2133601851* L_1041 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1042 = V_0; NullCheck(L_1041); IL2CPP_ARRAY_BOUNDS_CHECK(L_1041, (((int32_t)((uint8_t)L_1042)))); int32_t L_1043 = (((int32_t)((uint8_t)L_1042))); UInt32U5BU5D_t2133601851* L_1044 = ___ekey; NullCheck(L_1044); IL2CPP_ARRAY_BOUNDS_CHECK(L_1044, ((int32_t)76)); int32_t L_1045 = ((int32_t)76); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1032)->GetAt(static_cast<il2cpp_array_size_t>(L_1034)))^(int32_t)((L_1035)->GetAt(static_cast<il2cpp_array_size_t>(L_1037)))))^(int32_t)((L_1038)->GetAt(static_cast<il2cpp_array_size_t>(L_1040)))))^(int32_t)((L_1041)->GetAt(static_cast<il2cpp_array_size_t>(L_1043)))))^(int32_t)((L_1044)->GetAt(static_cast<il2cpp_array_size_t>(L_1045))))); UInt32U5BU5D_t2133601851* L_1046 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1047 = V_5; NullCheck(L_1046); IL2CPP_ARRAY_BOUNDS_CHECK(L_1046, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1047>>((int32_t)24)))))); uintptr_t L_1048 = (((uintptr_t)((int32_t)((uint32_t)L_1047>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1049 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1050 = V_4; NullCheck(L_1049); IL2CPP_ARRAY_BOUNDS_CHECK(L_1049, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1050>>((int32_t)16))))))); int32_t L_1051 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1050>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1052 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1053 = V_2; NullCheck(L_1052); IL2CPP_ARRAY_BOUNDS_CHECK(L_1052, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1053>>8)))))); int32_t L_1054 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1053>>8))))); UInt32U5BU5D_t2133601851* L_1055 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1056 = V_1; NullCheck(L_1055); IL2CPP_ARRAY_BOUNDS_CHECK(L_1055, (((int32_t)((uint8_t)L_1056)))); int32_t L_1057 = (((int32_t)((uint8_t)L_1056))); UInt32U5BU5D_t2133601851* L_1058 = ___ekey; NullCheck(L_1058); IL2CPP_ARRAY_BOUNDS_CHECK(L_1058, ((int32_t)77)); int32_t L_1059 = ((int32_t)77); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1046)->GetAt(static_cast<il2cpp_array_size_t>(L_1048)))^(int32_t)((L_1049)->GetAt(static_cast<il2cpp_array_size_t>(L_1051)))))^(int32_t)((L_1052)->GetAt(static_cast<il2cpp_array_size_t>(L_1054)))))^(int32_t)((L_1055)->GetAt(static_cast<il2cpp_array_size_t>(L_1057)))))^(int32_t)((L_1058)->GetAt(static_cast<il2cpp_array_size_t>(L_1059))))); UInt32U5BU5D_t2133601851* L_1060 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1061 = V_6; NullCheck(L_1060); IL2CPP_ARRAY_BOUNDS_CHECK(L_1060, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1061>>((int32_t)24)))))); uintptr_t L_1062 = (((uintptr_t)((int32_t)((uint32_t)L_1061>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1063 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1064 = V_5; NullCheck(L_1063); IL2CPP_ARRAY_BOUNDS_CHECK(L_1063, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1064>>((int32_t)16))))))); int32_t L_1065 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1064>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1066 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1067 = V_3; NullCheck(L_1066); IL2CPP_ARRAY_BOUNDS_CHECK(L_1066, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1067>>8)))))); int32_t L_1068 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1067>>8))))); UInt32U5BU5D_t2133601851* L_1069 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1070 = V_2; NullCheck(L_1069); IL2CPP_ARRAY_BOUNDS_CHECK(L_1069, (((int32_t)((uint8_t)L_1070)))); int32_t L_1071 = (((int32_t)((uint8_t)L_1070))); UInt32U5BU5D_t2133601851* L_1072 = ___ekey; NullCheck(L_1072); IL2CPP_ARRAY_BOUNDS_CHECK(L_1072, ((int32_t)78)); int32_t L_1073 = ((int32_t)78); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1060)->GetAt(static_cast<il2cpp_array_size_t>(L_1062)))^(int32_t)((L_1063)->GetAt(static_cast<il2cpp_array_size_t>(L_1065)))))^(int32_t)((L_1066)->GetAt(static_cast<il2cpp_array_size_t>(L_1068)))))^(int32_t)((L_1069)->GetAt(static_cast<il2cpp_array_size_t>(L_1071)))))^(int32_t)((L_1072)->GetAt(static_cast<il2cpp_array_size_t>(L_1073))))); UInt32U5BU5D_t2133601851* L_1074 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1075 = V_7; NullCheck(L_1074); IL2CPP_ARRAY_BOUNDS_CHECK(L_1074, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1075>>((int32_t)24)))))); uintptr_t L_1076 = (((uintptr_t)((int32_t)((uint32_t)L_1075>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1077 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1078 = V_6; NullCheck(L_1077); IL2CPP_ARRAY_BOUNDS_CHECK(L_1077, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1078>>((int32_t)16))))))); int32_t L_1079 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1078>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1080 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1081 = V_4; NullCheck(L_1080); IL2CPP_ARRAY_BOUNDS_CHECK(L_1080, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1081>>8)))))); int32_t L_1082 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1081>>8))))); UInt32U5BU5D_t2133601851* L_1083 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1084 = V_3; NullCheck(L_1083); IL2CPP_ARRAY_BOUNDS_CHECK(L_1083, (((int32_t)((uint8_t)L_1084)))); int32_t L_1085 = (((int32_t)((uint8_t)L_1084))); UInt32U5BU5D_t2133601851* L_1086 = ___ekey; NullCheck(L_1086); IL2CPP_ARRAY_BOUNDS_CHECK(L_1086, ((int32_t)79)); int32_t L_1087 = ((int32_t)79); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1074)->GetAt(static_cast<il2cpp_array_size_t>(L_1076)))^(int32_t)((L_1077)->GetAt(static_cast<il2cpp_array_size_t>(L_1079)))))^(int32_t)((L_1080)->GetAt(static_cast<il2cpp_array_size_t>(L_1082)))))^(int32_t)((L_1083)->GetAt(static_cast<il2cpp_array_size_t>(L_1085)))))^(int32_t)((L_1086)->GetAt(static_cast<il2cpp_array_size_t>(L_1087))))); UInt32U5BU5D_t2133601851* L_1088 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1089 = V_8; NullCheck(L_1088); IL2CPP_ARRAY_BOUNDS_CHECK(L_1088, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1089>>((int32_t)24)))))); uintptr_t L_1090 = (((uintptr_t)((int32_t)((uint32_t)L_1089>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1091 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1092 = V_15; NullCheck(L_1091); IL2CPP_ARRAY_BOUNDS_CHECK(L_1091, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1092>>((int32_t)16))))))); int32_t L_1093 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1092>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1094 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1095 = V_13; NullCheck(L_1094); IL2CPP_ARRAY_BOUNDS_CHECK(L_1094, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1095>>8)))))); int32_t L_1096 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1095>>8))))); UInt32U5BU5D_t2133601851* L_1097 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1098 = V_12; NullCheck(L_1097); IL2CPP_ARRAY_BOUNDS_CHECK(L_1097, (((int32_t)((uint8_t)L_1098)))); int32_t L_1099 = (((int32_t)((uint8_t)L_1098))); UInt32U5BU5D_t2133601851* L_1100 = ___ekey; NullCheck(L_1100); IL2CPP_ARRAY_BOUNDS_CHECK(L_1100, ((int32_t)80)); int32_t L_1101 = ((int32_t)80); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1088)->GetAt(static_cast<il2cpp_array_size_t>(L_1090)))^(int32_t)((L_1091)->GetAt(static_cast<il2cpp_array_size_t>(L_1093)))))^(int32_t)((L_1094)->GetAt(static_cast<il2cpp_array_size_t>(L_1096)))))^(int32_t)((L_1097)->GetAt(static_cast<il2cpp_array_size_t>(L_1099)))))^(int32_t)((L_1100)->GetAt(static_cast<il2cpp_array_size_t>(L_1101))))); UInt32U5BU5D_t2133601851* L_1102 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1103 = V_9; NullCheck(L_1102); IL2CPP_ARRAY_BOUNDS_CHECK(L_1102, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1103>>((int32_t)24)))))); uintptr_t L_1104 = (((uintptr_t)((int32_t)((uint32_t)L_1103>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1105 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1106 = V_8; NullCheck(L_1105); IL2CPP_ARRAY_BOUNDS_CHECK(L_1105, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1106>>((int32_t)16))))))); int32_t L_1107 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1106>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1108 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1109 = V_14; NullCheck(L_1108); IL2CPP_ARRAY_BOUNDS_CHECK(L_1108, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1109>>8)))))); int32_t L_1110 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1109>>8))))); UInt32U5BU5D_t2133601851* L_1111 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1112 = V_13; NullCheck(L_1111); IL2CPP_ARRAY_BOUNDS_CHECK(L_1111, (((int32_t)((uint8_t)L_1112)))); int32_t L_1113 = (((int32_t)((uint8_t)L_1112))); UInt32U5BU5D_t2133601851* L_1114 = ___ekey; NullCheck(L_1114); IL2CPP_ARRAY_BOUNDS_CHECK(L_1114, ((int32_t)81)); int32_t L_1115 = ((int32_t)81); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1102)->GetAt(static_cast<il2cpp_array_size_t>(L_1104)))^(int32_t)((L_1105)->GetAt(static_cast<il2cpp_array_size_t>(L_1107)))))^(int32_t)((L_1108)->GetAt(static_cast<il2cpp_array_size_t>(L_1110)))))^(int32_t)((L_1111)->GetAt(static_cast<il2cpp_array_size_t>(L_1113)))))^(int32_t)((L_1114)->GetAt(static_cast<il2cpp_array_size_t>(L_1115))))); UInt32U5BU5D_t2133601851* L_1116 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1117 = V_10; NullCheck(L_1116); IL2CPP_ARRAY_BOUNDS_CHECK(L_1116, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1117>>((int32_t)24)))))); uintptr_t L_1118 = (((uintptr_t)((int32_t)((uint32_t)L_1117>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1119 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1120 = V_9; NullCheck(L_1119); IL2CPP_ARRAY_BOUNDS_CHECK(L_1119, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1120>>((int32_t)16))))))); int32_t L_1121 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1120>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1122 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1123 = V_15; NullCheck(L_1122); IL2CPP_ARRAY_BOUNDS_CHECK(L_1122, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1123>>8)))))); int32_t L_1124 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1123>>8))))); UInt32U5BU5D_t2133601851* L_1125 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1126 = V_14; NullCheck(L_1125); IL2CPP_ARRAY_BOUNDS_CHECK(L_1125, (((int32_t)((uint8_t)L_1126)))); int32_t L_1127 = (((int32_t)((uint8_t)L_1126))); UInt32U5BU5D_t2133601851* L_1128 = ___ekey; NullCheck(L_1128); IL2CPP_ARRAY_BOUNDS_CHECK(L_1128, ((int32_t)82)); int32_t L_1129 = ((int32_t)82); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1116)->GetAt(static_cast<il2cpp_array_size_t>(L_1118)))^(int32_t)((L_1119)->GetAt(static_cast<il2cpp_array_size_t>(L_1121)))))^(int32_t)((L_1122)->GetAt(static_cast<il2cpp_array_size_t>(L_1124)))))^(int32_t)((L_1125)->GetAt(static_cast<il2cpp_array_size_t>(L_1127)))))^(int32_t)((L_1128)->GetAt(static_cast<il2cpp_array_size_t>(L_1129))))); UInt32U5BU5D_t2133601851* L_1130 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1131 = V_11; NullCheck(L_1130); IL2CPP_ARRAY_BOUNDS_CHECK(L_1130, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1131>>((int32_t)24)))))); uintptr_t L_1132 = (((uintptr_t)((int32_t)((uint32_t)L_1131>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1133 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1134 = V_10; NullCheck(L_1133); IL2CPP_ARRAY_BOUNDS_CHECK(L_1133, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1134>>((int32_t)16))))))); int32_t L_1135 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1134>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1136 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1137 = V_8; NullCheck(L_1136); IL2CPP_ARRAY_BOUNDS_CHECK(L_1136, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1137>>8)))))); int32_t L_1138 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1137>>8))))); UInt32U5BU5D_t2133601851* L_1139 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1140 = V_15; NullCheck(L_1139); IL2CPP_ARRAY_BOUNDS_CHECK(L_1139, (((int32_t)((uint8_t)L_1140)))); int32_t L_1141 = (((int32_t)((uint8_t)L_1140))); UInt32U5BU5D_t2133601851* L_1142 = ___ekey; NullCheck(L_1142); IL2CPP_ARRAY_BOUNDS_CHECK(L_1142, ((int32_t)83)); int32_t L_1143 = ((int32_t)83); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1130)->GetAt(static_cast<il2cpp_array_size_t>(L_1132)))^(int32_t)((L_1133)->GetAt(static_cast<il2cpp_array_size_t>(L_1135)))))^(int32_t)((L_1136)->GetAt(static_cast<il2cpp_array_size_t>(L_1138)))))^(int32_t)((L_1139)->GetAt(static_cast<il2cpp_array_size_t>(L_1141)))))^(int32_t)((L_1142)->GetAt(static_cast<il2cpp_array_size_t>(L_1143))))); UInt32U5BU5D_t2133601851* L_1144 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1145 = V_12; NullCheck(L_1144); IL2CPP_ARRAY_BOUNDS_CHECK(L_1144, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1145>>((int32_t)24)))))); uintptr_t L_1146 = (((uintptr_t)((int32_t)((uint32_t)L_1145>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1147 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1148 = V_11; NullCheck(L_1147); IL2CPP_ARRAY_BOUNDS_CHECK(L_1147, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1148>>((int32_t)16))))))); int32_t L_1149 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1148>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1150 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1151 = V_9; NullCheck(L_1150); IL2CPP_ARRAY_BOUNDS_CHECK(L_1150, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1151>>8)))))); int32_t L_1152 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1151>>8))))); UInt32U5BU5D_t2133601851* L_1153 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1154 = V_8; NullCheck(L_1153); IL2CPP_ARRAY_BOUNDS_CHECK(L_1153, (((int32_t)((uint8_t)L_1154)))); int32_t L_1155 = (((int32_t)((uint8_t)L_1154))); UInt32U5BU5D_t2133601851* L_1156 = ___ekey; NullCheck(L_1156); IL2CPP_ARRAY_BOUNDS_CHECK(L_1156, ((int32_t)84)); int32_t L_1157 = ((int32_t)84); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1144)->GetAt(static_cast<il2cpp_array_size_t>(L_1146)))^(int32_t)((L_1147)->GetAt(static_cast<il2cpp_array_size_t>(L_1149)))))^(int32_t)((L_1150)->GetAt(static_cast<il2cpp_array_size_t>(L_1152)))))^(int32_t)((L_1153)->GetAt(static_cast<il2cpp_array_size_t>(L_1155)))))^(int32_t)((L_1156)->GetAt(static_cast<il2cpp_array_size_t>(L_1157))))); UInt32U5BU5D_t2133601851* L_1158 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1159 = V_13; NullCheck(L_1158); IL2CPP_ARRAY_BOUNDS_CHECK(L_1158, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1159>>((int32_t)24)))))); uintptr_t L_1160 = (((uintptr_t)((int32_t)((uint32_t)L_1159>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1161 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1162 = V_12; NullCheck(L_1161); IL2CPP_ARRAY_BOUNDS_CHECK(L_1161, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1162>>((int32_t)16))))))); int32_t L_1163 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1162>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1164 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1165 = V_10; NullCheck(L_1164); IL2CPP_ARRAY_BOUNDS_CHECK(L_1164, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1165>>8)))))); int32_t L_1166 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1165>>8))))); UInt32U5BU5D_t2133601851* L_1167 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1168 = V_9; NullCheck(L_1167); IL2CPP_ARRAY_BOUNDS_CHECK(L_1167, (((int32_t)((uint8_t)L_1168)))); int32_t L_1169 = (((int32_t)((uint8_t)L_1168))); UInt32U5BU5D_t2133601851* L_1170 = ___ekey; NullCheck(L_1170); IL2CPP_ARRAY_BOUNDS_CHECK(L_1170, ((int32_t)85)); int32_t L_1171 = ((int32_t)85); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1158)->GetAt(static_cast<il2cpp_array_size_t>(L_1160)))^(int32_t)((L_1161)->GetAt(static_cast<il2cpp_array_size_t>(L_1163)))))^(int32_t)((L_1164)->GetAt(static_cast<il2cpp_array_size_t>(L_1166)))))^(int32_t)((L_1167)->GetAt(static_cast<il2cpp_array_size_t>(L_1169)))))^(int32_t)((L_1170)->GetAt(static_cast<il2cpp_array_size_t>(L_1171))))); UInt32U5BU5D_t2133601851* L_1172 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1173 = V_14; NullCheck(L_1172); IL2CPP_ARRAY_BOUNDS_CHECK(L_1172, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1173>>((int32_t)24)))))); uintptr_t L_1174 = (((uintptr_t)((int32_t)((uint32_t)L_1173>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1175 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1176 = V_13; NullCheck(L_1175); IL2CPP_ARRAY_BOUNDS_CHECK(L_1175, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1176>>((int32_t)16))))))); int32_t L_1177 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1176>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1178 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1179 = V_11; NullCheck(L_1178); IL2CPP_ARRAY_BOUNDS_CHECK(L_1178, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1179>>8)))))); int32_t L_1180 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1179>>8))))); UInt32U5BU5D_t2133601851* L_1181 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1182 = V_10; NullCheck(L_1181); IL2CPP_ARRAY_BOUNDS_CHECK(L_1181, (((int32_t)((uint8_t)L_1182)))); int32_t L_1183 = (((int32_t)((uint8_t)L_1182))); UInt32U5BU5D_t2133601851* L_1184 = ___ekey; NullCheck(L_1184); IL2CPP_ARRAY_BOUNDS_CHECK(L_1184, ((int32_t)86)); int32_t L_1185 = ((int32_t)86); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1172)->GetAt(static_cast<il2cpp_array_size_t>(L_1174)))^(int32_t)((L_1175)->GetAt(static_cast<il2cpp_array_size_t>(L_1177)))))^(int32_t)((L_1178)->GetAt(static_cast<il2cpp_array_size_t>(L_1180)))))^(int32_t)((L_1181)->GetAt(static_cast<il2cpp_array_size_t>(L_1183)))))^(int32_t)((L_1184)->GetAt(static_cast<il2cpp_array_size_t>(L_1185))))); UInt32U5BU5D_t2133601851* L_1186 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1187 = V_15; NullCheck(L_1186); IL2CPP_ARRAY_BOUNDS_CHECK(L_1186, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1187>>((int32_t)24)))))); uintptr_t L_1188 = (((uintptr_t)((int32_t)((uint32_t)L_1187>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1189 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1190 = V_14; NullCheck(L_1189); IL2CPP_ARRAY_BOUNDS_CHECK(L_1189, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1190>>((int32_t)16))))))); int32_t L_1191 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1190>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1192 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1193 = V_12; NullCheck(L_1192); IL2CPP_ARRAY_BOUNDS_CHECK(L_1192, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1193>>8)))))); int32_t L_1194 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1193>>8))))); UInt32U5BU5D_t2133601851* L_1195 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1196 = V_11; NullCheck(L_1195); IL2CPP_ARRAY_BOUNDS_CHECK(L_1195, (((int32_t)((uint8_t)L_1196)))); int32_t L_1197 = (((int32_t)((uint8_t)L_1196))); UInt32U5BU5D_t2133601851* L_1198 = ___ekey; NullCheck(L_1198); IL2CPP_ARRAY_BOUNDS_CHECK(L_1198, ((int32_t)87)); int32_t L_1199 = ((int32_t)87); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1186)->GetAt(static_cast<il2cpp_array_size_t>(L_1188)))^(int32_t)((L_1189)->GetAt(static_cast<il2cpp_array_size_t>(L_1191)))))^(int32_t)((L_1192)->GetAt(static_cast<il2cpp_array_size_t>(L_1194)))))^(int32_t)((L_1195)->GetAt(static_cast<il2cpp_array_size_t>(L_1197)))))^(int32_t)((L_1198)->GetAt(static_cast<il2cpp_array_size_t>(L_1199))))); UInt32U5BU5D_t2133601851* L_1200 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1201 = V_0; NullCheck(L_1200); IL2CPP_ARRAY_BOUNDS_CHECK(L_1200, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1201>>((int32_t)24)))))); uintptr_t L_1202 = (((uintptr_t)((int32_t)((uint32_t)L_1201>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1203 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1204 = V_7; NullCheck(L_1203); IL2CPP_ARRAY_BOUNDS_CHECK(L_1203, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1204>>((int32_t)16))))))); int32_t L_1205 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1204>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1206 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1207 = V_5; NullCheck(L_1206); IL2CPP_ARRAY_BOUNDS_CHECK(L_1206, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1207>>8)))))); int32_t L_1208 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1207>>8))))); UInt32U5BU5D_t2133601851* L_1209 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1210 = V_4; NullCheck(L_1209); IL2CPP_ARRAY_BOUNDS_CHECK(L_1209, (((int32_t)((uint8_t)L_1210)))); int32_t L_1211 = (((int32_t)((uint8_t)L_1210))); UInt32U5BU5D_t2133601851* L_1212 = ___ekey; NullCheck(L_1212); IL2CPP_ARRAY_BOUNDS_CHECK(L_1212, ((int32_t)88)); int32_t L_1213 = ((int32_t)88); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1200)->GetAt(static_cast<il2cpp_array_size_t>(L_1202)))^(int32_t)((L_1203)->GetAt(static_cast<il2cpp_array_size_t>(L_1205)))))^(int32_t)((L_1206)->GetAt(static_cast<il2cpp_array_size_t>(L_1208)))))^(int32_t)((L_1209)->GetAt(static_cast<il2cpp_array_size_t>(L_1211)))))^(int32_t)((L_1212)->GetAt(static_cast<il2cpp_array_size_t>(L_1213))))); UInt32U5BU5D_t2133601851* L_1214 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1215 = V_1; NullCheck(L_1214); IL2CPP_ARRAY_BOUNDS_CHECK(L_1214, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1215>>((int32_t)24)))))); uintptr_t L_1216 = (((uintptr_t)((int32_t)((uint32_t)L_1215>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1217 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1218 = V_0; NullCheck(L_1217); IL2CPP_ARRAY_BOUNDS_CHECK(L_1217, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1218>>((int32_t)16))))))); int32_t L_1219 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1218>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1220 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1221 = V_6; NullCheck(L_1220); IL2CPP_ARRAY_BOUNDS_CHECK(L_1220, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1221>>8)))))); int32_t L_1222 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1221>>8))))); UInt32U5BU5D_t2133601851* L_1223 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1224 = V_5; NullCheck(L_1223); IL2CPP_ARRAY_BOUNDS_CHECK(L_1223, (((int32_t)((uint8_t)L_1224)))); int32_t L_1225 = (((int32_t)((uint8_t)L_1224))); UInt32U5BU5D_t2133601851* L_1226 = ___ekey; NullCheck(L_1226); IL2CPP_ARRAY_BOUNDS_CHECK(L_1226, ((int32_t)89)); int32_t L_1227 = ((int32_t)89); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1214)->GetAt(static_cast<il2cpp_array_size_t>(L_1216)))^(int32_t)((L_1217)->GetAt(static_cast<il2cpp_array_size_t>(L_1219)))))^(int32_t)((L_1220)->GetAt(static_cast<il2cpp_array_size_t>(L_1222)))))^(int32_t)((L_1223)->GetAt(static_cast<il2cpp_array_size_t>(L_1225)))))^(int32_t)((L_1226)->GetAt(static_cast<il2cpp_array_size_t>(L_1227))))); UInt32U5BU5D_t2133601851* L_1228 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1229 = V_2; NullCheck(L_1228); IL2CPP_ARRAY_BOUNDS_CHECK(L_1228, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1229>>((int32_t)24)))))); uintptr_t L_1230 = (((uintptr_t)((int32_t)((uint32_t)L_1229>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1231 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1232 = V_1; NullCheck(L_1231); IL2CPP_ARRAY_BOUNDS_CHECK(L_1231, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1232>>((int32_t)16))))))); int32_t L_1233 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1232>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1234 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1235 = V_7; NullCheck(L_1234); IL2CPP_ARRAY_BOUNDS_CHECK(L_1234, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1235>>8)))))); int32_t L_1236 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1235>>8))))); UInt32U5BU5D_t2133601851* L_1237 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1238 = V_6; NullCheck(L_1237); IL2CPP_ARRAY_BOUNDS_CHECK(L_1237, (((int32_t)((uint8_t)L_1238)))); int32_t L_1239 = (((int32_t)((uint8_t)L_1238))); UInt32U5BU5D_t2133601851* L_1240 = ___ekey; NullCheck(L_1240); IL2CPP_ARRAY_BOUNDS_CHECK(L_1240, ((int32_t)90)); int32_t L_1241 = ((int32_t)90); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1228)->GetAt(static_cast<il2cpp_array_size_t>(L_1230)))^(int32_t)((L_1231)->GetAt(static_cast<il2cpp_array_size_t>(L_1233)))))^(int32_t)((L_1234)->GetAt(static_cast<il2cpp_array_size_t>(L_1236)))))^(int32_t)((L_1237)->GetAt(static_cast<il2cpp_array_size_t>(L_1239)))))^(int32_t)((L_1240)->GetAt(static_cast<il2cpp_array_size_t>(L_1241))))); UInt32U5BU5D_t2133601851* L_1242 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1243 = V_3; NullCheck(L_1242); IL2CPP_ARRAY_BOUNDS_CHECK(L_1242, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1243>>((int32_t)24)))))); uintptr_t L_1244 = (((uintptr_t)((int32_t)((uint32_t)L_1243>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1245 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1246 = V_2; NullCheck(L_1245); IL2CPP_ARRAY_BOUNDS_CHECK(L_1245, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1246>>((int32_t)16))))))); int32_t L_1247 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1246>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1248 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1249 = V_0; NullCheck(L_1248); IL2CPP_ARRAY_BOUNDS_CHECK(L_1248, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1249>>8)))))); int32_t L_1250 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1249>>8))))); UInt32U5BU5D_t2133601851* L_1251 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1252 = V_7; NullCheck(L_1251); IL2CPP_ARRAY_BOUNDS_CHECK(L_1251, (((int32_t)((uint8_t)L_1252)))); int32_t L_1253 = (((int32_t)((uint8_t)L_1252))); UInt32U5BU5D_t2133601851* L_1254 = ___ekey; NullCheck(L_1254); IL2CPP_ARRAY_BOUNDS_CHECK(L_1254, ((int32_t)91)); int32_t L_1255 = ((int32_t)91); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1242)->GetAt(static_cast<il2cpp_array_size_t>(L_1244)))^(int32_t)((L_1245)->GetAt(static_cast<il2cpp_array_size_t>(L_1247)))))^(int32_t)((L_1248)->GetAt(static_cast<il2cpp_array_size_t>(L_1250)))))^(int32_t)((L_1251)->GetAt(static_cast<il2cpp_array_size_t>(L_1253)))))^(int32_t)((L_1254)->GetAt(static_cast<il2cpp_array_size_t>(L_1255))))); UInt32U5BU5D_t2133601851* L_1256 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1257 = V_4; NullCheck(L_1256); IL2CPP_ARRAY_BOUNDS_CHECK(L_1256, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1257>>((int32_t)24)))))); uintptr_t L_1258 = (((uintptr_t)((int32_t)((uint32_t)L_1257>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1259 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1260 = V_3; NullCheck(L_1259); IL2CPP_ARRAY_BOUNDS_CHECK(L_1259, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1260>>((int32_t)16))))))); int32_t L_1261 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1260>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1262 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1263 = V_1; NullCheck(L_1262); IL2CPP_ARRAY_BOUNDS_CHECK(L_1262, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1263>>8)))))); int32_t L_1264 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1263>>8))))); UInt32U5BU5D_t2133601851* L_1265 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1266 = V_0; NullCheck(L_1265); IL2CPP_ARRAY_BOUNDS_CHECK(L_1265, (((int32_t)((uint8_t)L_1266)))); int32_t L_1267 = (((int32_t)((uint8_t)L_1266))); UInt32U5BU5D_t2133601851* L_1268 = ___ekey; NullCheck(L_1268); IL2CPP_ARRAY_BOUNDS_CHECK(L_1268, ((int32_t)92)); int32_t L_1269 = ((int32_t)92); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1256)->GetAt(static_cast<il2cpp_array_size_t>(L_1258)))^(int32_t)((L_1259)->GetAt(static_cast<il2cpp_array_size_t>(L_1261)))))^(int32_t)((L_1262)->GetAt(static_cast<il2cpp_array_size_t>(L_1264)))))^(int32_t)((L_1265)->GetAt(static_cast<il2cpp_array_size_t>(L_1267)))))^(int32_t)((L_1268)->GetAt(static_cast<il2cpp_array_size_t>(L_1269))))); UInt32U5BU5D_t2133601851* L_1270 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1271 = V_5; NullCheck(L_1270); IL2CPP_ARRAY_BOUNDS_CHECK(L_1270, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1271>>((int32_t)24)))))); uintptr_t L_1272 = (((uintptr_t)((int32_t)((uint32_t)L_1271>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1273 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1274 = V_4; NullCheck(L_1273); IL2CPP_ARRAY_BOUNDS_CHECK(L_1273, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1274>>((int32_t)16))))))); int32_t L_1275 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1274>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1276 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1277 = V_2; NullCheck(L_1276); IL2CPP_ARRAY_BOUNDS_CHECK(L_1276, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1277>>8)))))); int32_t L_1278 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1277>>8))))); UInt32U5BU5D_t2133601851* L_1279 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1280 = V_1; NullCheck(L_1279); IL2CPP_ARRAY_BOUNDS_CHECK(L_1279, (((int32_t)((uint8_t)L_1280)))); int32_t L_1281 = (((int32_t)((uint8_t)L_1280))); UInt32U5BU5D_t2133601851* L_1282 = ___ekey; NullCheck(L_1282); IL2CPP_ARRAY_BOUNDS_CHECK(L_1282, ((int32_t)93)); int32_t L_1283 = ((int32_t)93); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1270)->GetAt(static_cast<il2cpp_array_size_t>(L_1272)))^(int32_t)((L_1273)->GetAt(static_cast<il2cpp_array_size_t>(L_1275)))))^(int32_t)((L_1276)->GetAt(static_cast<il2cpp_array_size_t>(L_1278)))))^(int32_t)((L_1279)->GetAt(static_cast<il2cpp_array_size_t>(L_1281)))))^(int32_t)((L_1282)->GetAt(static_cast<il2cpp_array_size_t>(L_1283))))); UInt32U5BU5D_t2133601851* L_1284 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1285 = V_6; NullCheck(L_1284); IL2CPP_ARRAY_BOUNDS_CHECK(L_1284, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1285>>((int32_t)24)))))); uintptr_t L_1286 = (((uintptr_t)((int32_t)((uint32_t)L_1285>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1287 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1288 = V_5; NullCheck(L_1287); IL2CPP_ARRAY_BOUNDS_CHECK(L_1287, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1288>>((int32_t)16))))))); int32_t L_1289 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1288>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1290 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1291 = V_3; NullCheck(L_1290); IL2CPP_ARRAY_BOUNDS_CHECK(L_1290, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1291>>8)))))); int32_t L_1292 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1291>>8))))); UInt32U5BU5D_t2133601851* L_1293 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1294 = V_2; NullCheck(L_1293); IL2CPP_ARRAY_BOUNDS_CHECK(L_1293, (((int32_t)((uint8_t)L_1294)))); int32_t L_1295 = (((int32_t)((uint8_t)L_1294))); UInt32U5BU5D_t2133601851* L_1296 = ___ekey; NullCheck(L_1296); IL2CPP_ARRAY_BOUNDS_CHECK(L_1296, ((int32_t)94)); int32_t L_1297 = ((int32_t)94); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1284)->GetAt(static_cast<il2cpp_array_size_t>(L_1286)))^(int32_t)((L_1287)->GetAt(static_cast<il2cpp_array_size_t>(L_1289)))))^(int32_t)((L_1290)->GetAt(static_cast<il2cpp_array_size_t>(L_1292)))))^(int32_t)((L_1293)->GetAt(static_cast<il2cpp_array_size_t>(L_1295)))))^(int32_t)((L_1296)->GetAt(static_cast<il2cpp_array_size_t>(L_1297))))); UInt32U5BU5D_t2133601851* L_1298 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1299 = V_7; NullCheck(L_1298); IL2CPP_ARRAY_BOUNDS_CHECK(L_1298, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1299>>((int32_t)24)))))); uintptr_t L_1300 = (((uintptr_t)((int32_t)((uint32_t)L_1299>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1301 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1302 = V_6; NullCheck(L_1301); IL2CPP_ARRAY_BOUNDS_CHECK(L_1301, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1302>>((int32_t)16))))))); int32_t L_1303 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1302>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1304 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1305 = V_4; NullCheck(L_1304); IL2CPP_ARRAY_BOUNDS_CHECK(L_1304, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1305>>8)))))); int32_t L_1306 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1305>>8))))); UInt32U5BU5D_t2133601851* L_1307 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1308 = V_3; NullCheck(L_1307); IL2CPP_ARRAY_BOUNDS_CHECK(L_1307, (((int32_t)((uint8_t)L_1308)))); int32_t L_1309 = (((int32_t)((uint8_t)L_1308))); UInt32U5BU5D_t2133601851* L_1310 = ___ekey; NullCheck(L_1310); IL2CPP_ARRAY_BOUNDS_CHECK(L_1310, ((int32_t)95)); int32_t L_1311 = ((int32_t)95); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1298)->GetAt(static_cast<il2cpp_array_size_t>(L_1300)))^(int32_t)((L_1301)->GetAt(static_cast<il2cpp_array_size_t>(L_1303)))))^(int32_t)((L_1304)->GetAt(static_cast<il2cpp_array_size_t>(L_1306)))))^(int32_t)((L_1307)->GetAt(static_cast<il2cpp_array_size_t>(L_1309)))))^(int32_t)((L_1310)->GetAt(static_cast<il2cpp_array_size_t>(L_1311))))); UInt32U5BU5D_t2133601851* L_1312 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1313 = V_8; NullCheck(L_1312); IL2CPP_ARRAY_BOUNDS_CHECK(L_1312, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1313>>((int32_t)24)))))); uintptr_t L_1314 = (((uintptr_t)((int32_t)((uint32_t)L_1313>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1315 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1316 = V_15; NullCheck(L_1315); IL2CPP_ARRAY_BOUNDS_CHECK(L_1315, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1316>>((int32_t)16))))))); int32_t L_1317 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1316>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1318 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1319 = V_13; NullCheck(L_1318); IL2CPP_ARRAY_BOUNDS_CHECK(L_1318, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1319>>8)))))); int32_t L_1320 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1319>>8))))); UInt32U5BU5D_t2133601851* L_1321 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1322 = V_12; NullCheck(L_1321); IL2CPP_ARRAY_BOUNDS_CHECK(L_1321, (((int32_t)((uint8_t)L_1322)))); int32_t L_1323 = (((int32_t)((uint8_t)L_1322))); UInt32U5BU5D_t2133601851* L_1324 = ___ekey; NullCheck(L_1324); IL2CPP_ARRAY_BOUNDS_CHECK(L_1324, ((int32_t)96)); int32_t L_1325 = ((int32_t)96); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1312)->GetAt(static_cast<il2cpp_array_size_t>(L_1314)))^(int32_t)((L_1315)->GetAt(static_cast<il2cpp_array_size_t>(L_1317)))))^(int32_t)((L_1318)->GetAt(static_cast<il2cpp_array_size_t>(L_1320)))))^(int32_t)((L_1321)->GetAt(static_cast<il2cpp_array_size_t>(L_1323)))))^(int32_t)((L_1324)->GetAt(static_cast<il2cpp_array_size_t>(L_1325))))); UInt32U5BU5D_t2133601851* L_1326 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1327 = V_9; NullCheck(L_1326); IL2CPP_ARRAY_BOUNDS_CHECK(L_1326, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1327>>((int32_t)24)))))); uintptr_t L_1328 = (((uintptr_t)((int32_t)((uint32_t)L_1327>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1329 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1330 = V_8; NullCheck(L_1329); IL2CPP_ARRAY_BOUNDS_CHECK(L_1329, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1330>>((int32_t)16))))))); int32_t L_1331 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1330>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1332 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1333 = V_14; NullCheck(L_1332); IL2CPP_ARRAY_BOUNDS_CHECK(L_1332, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1333>>8)))))); int32_t L_1334 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1333>>8))))); UInt32U5BU5D_t2133601851* L_1335 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1336 = V_13; NullCheck(L_1335); IL2CPP_ARRAY_BOUNDS_CHECK(L_1335, (((int32_t)((uint8_t)L_1336)))); int32_t L_1337 = (((int32_t)((uint8_t)L_1336))); UInt32U5BU5D_t2133601851* L_1338 = ___ekey; NullCheck(L_1338); IL2CPP_ARRAY_BOUNDS_CHECK(L_1338, ((int32_t)97)); int32_t L_1339 = ((int32_t)97); V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1326)->GetAt(static_cast<il2cpp_array_size_t>(L_1328)))^(int32_t)((L_1329)->GetAt(static_cast<il2cpp_array_size_t>(L_1331)))))^(int32_t)((L_1332)->GetAt(static_cast<il2cpp_array_size_t>(L_1334)))))^(int32_t)((L_1335)->GetAt(static_cast<il2cpp_array_size_t>(L_1337)))))^(int32_t)((L_1338)->GetAt(static_cast<il2cpp_array_size_t>(L_1339))))); UInt32U5BU5D_t2133601851* L_1340 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1341 = V_10; NullCheck(L_1340); IL2CPP_ARRAY_BOUNDS_CHECK(L_1340, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1341>>((int32_t)24)))))); uintptr_t L_1342 = (((uintptr_t)((int32_t)((uint32_t)L_1341>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1343 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1344 = V_9; NullCheck(L_1343); IL2CPP_ARRAY_BOUNDS_CHECK(L_1343, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1344>>((int32_t)16))))))); int32_t L_1345 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1344>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1346 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1347 = V_15; NullCheck(L_1346); IL2CPP_ARRAY_BOUNDS_CHECK(L_1346, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1347>>8)))))); int32_t L_1348 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1347>>8))))); UInt32U5BU5D_t2133601851* L_1349 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1350 = V_14; NullCheck(L_1349); IL2CPP_ARRAY_BOUNDS_CHECK(L_1349, (((int32_t)((uint8_t)L_1350)))); int32_t L_1351 = (((int32_t)((uint8_t)L_1350))); UInt32U5BU5D_t2133601851* L_1352 = ___ekey; NullCheck(L_1352); IL2CPP_ARRAY_BOUNDS_CHECK(L_1352, ((int32_t)98)); int32_t L_1353 = ((int32_t)98); V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1340)->GetAt(static_cast<il2cpp_array_size_t>(L_1342)))^(int32_t)((L_1343)->GetAt(static_cast<il2cpp_array_size_t>(L_1345)))))^(int32_t)((L_1346)->GetAt(static_cast<il2cpp_array_size_t>(L_1348)))))^(int32_t)((L_1349)->GetAt(static_cast<il2cpp_array_size_t>(L_1351)))))^(int32_t)((L_1352)->GetAt(static_cast<il2cpp_array_size_t>(L_1353))))); UInt32U5BU5D_t2133601851* L_1354 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1355 = V_11; NullCheck(L_1354); IL2CPP_ARRAY_BOUNDS_CHECK(L_1354, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1355>>((int32_t)24)))))); uintptr_t L_1356 = (((uintptr_t)((int32_t)((uint32_t)L_1355>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1357 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1358 = V_10; NullCheck(L_1357); IL2CPP_ARRAY_BOUNDS_CHECK(L_1357, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1358>>((int32_t)16))))))); int32_t L_1359 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1358>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1360 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1361 = V_8; NullCheck(L_1360); IL2CPP_ARRAY_BOUNDS_CHECK(L_1360, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1361>>8)))))); int32_t L_1362 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1361>>8))))); UInt32U5BU5D_t2133601851* L_1363 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1364 = V_15; NullCheck(L_1363); IL2CPP_ARRAY_BOUNDS_CHECK(L_1363, (((int32_t)((uint8_t)L_1364)))); int32_t L_1365 = (((int32_t)((uint8_t)L_1364))); UInt32U5BU5D_t2133601851* L_1366 = ___ekey; NullCheck(L_1366); IL2CPP_ARRAY_BOUNDS_CHECK(L_1366, ((int32_t)99)); int32_t L_1367 = ((int32_t)99); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1354)->GetAt(static_cast<il2cpp_array_size_t>(L_1356)))^(int32_t)((L_1357)->GetAt(static_cast<il2cpp_array_size_t>(L_1359)))))^(int32_t)((L_1360)->GetAt(static_cast<il2cpp_array_size_t>(L_1362)))))^(int32_t)((L_1363)->GetAt(static_cast<il2cpp_array_size_t>(L_1365)))))^(int32_t)((L_1366)->GetAt(static_cast<il2cpp_array_size_t>(L_1367))))); UInt32U5BU5D_t2133601851* L_1368 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1369 = V_12; NullCheck(L_1368); IL2CPP_ARRAY_BOUNDS_CHECK(L_1368, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1369>>((int32_t)24)))))); uintptr_t L_1370 = (((uintptr_t)((int32_t)((uint32_t)L_1369>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1371 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1372 = V_11; NullCheck(L_1371); IL2CPP_ARRAY_BOUNDS_CHECK(L_1371, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1372>>((int32_t)16))))))); int32_t L_1373 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1372>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1374 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1375 = V_9; NullCheck(L_1374); IL2CPP_ARRAY_BOUNDS_CHECK(L_1374, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1375>>8)))))); int32_t L_1376 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1375>>8))))); UInt32U5BU5D_t2133601851* L_1377 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1378 = V_8; NullCheck(L_1377); IL2CPP_ARRAY_BOUNDS_CHECK(L_1377, (((int32_t)((uint8_t)L_1378)))); int32_t L_1379 = (((int32_t)((uint8_t)L_1378))); UInt32U5BU5D_t2133601851* L_1380 = ___ekey; NullCheck(L_1380); IL2CPP_ARRAY_BOUNDS_CHECK(L_1380, ((int32_t)100)); int32_t L_1381 = ((int32_t)100); V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1368)->GetAt(static_cast<il2cpp_array_size_t>(L_1370)))^(int32_t)((L_1371)->GetAt(static_cast<il2cpp_array_size_t>(L_1373)))))^(int32_t)((L_1374)->GetAt(static_cast<il2cpp_array_size_t>(L_1376)))))^(int32_t)((L_1377)->GetAt(static_cast<il2cpp_array_size_t>(L_1379)))))^(int32_t)((L_1380)->GetAt(static_cast<il2cpp_array_size_t>(L_1381))))); UInt32U5BU5D_t2133601851* L_1382 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1383 = V_13; NullCheck(L_1382); IL2CPP_ARRAY_BOUNDS_CHECK(L_1382, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1383>>((int32_t)24)))))); uintptr_t L_1384 = (((uintptr_t)((int32_t)((uint32_t)L_1383>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1385 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1386 = V_12; NullCheck(L_1385); IL2CPP_ARRAY_BOUNDS_CHECK(L_1385, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1386>>((int32_t)16))))))); int32_t L_1387 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1386>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1388 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1389 = V_10; NullCheck(L_1388); IL2CPP_ARRAY_BOUNDS_CHECK(L_1388, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1389>>8)))))); int32_t L_1390 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1389>>8))))); UInt32U5BU5D_t2133601851* L_1391 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1392 = V_9; NullCheck(L_1391); IL2CPP_ARRAY_BOUNDS_CHECK(L_1391, (((int32_t)((uint8_t)L_1392)))); int32_t L_1393 = (((int32_t)((uint8_t)L_1392))); UInt32U5BU5D_t2133601851* L_1394 = ___ekey; NullCheck(L_1394); IL2CPP_ARRAY_BOUNDS_CHECK(L_1394, ((int32_t)101)); int32_t L_1395 = ((int32_t)101); V_5 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1382)->GetAt(static_cast<il2cpp_array_size_t>(L_1384)))^(int32_t)((L_1385)->GetAt(static_cast<il2cpp_array_size_t>(L_1387)))))^(int32_t)((L_1388)->GetAt(static_cast<il2cpp_array_size_t>(L_1390)))))^(int32_t)((L_1391)->GetAt(static_cast<il2cpp_array_size_t>(L_1393)))))^(int32_t)((L_1394)->GetAt(static_cast<il2cpp_array_size_t>(L_1395))))); UInt32U5BU5D_t2133601851* L_1396 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1397 = V_14; NullCheck(L_1396); IL2CPP_ARRAY_BOUNDS_CHECK(L_1396, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1397>>((int32_t)24)))))); uintptr_t L_1398 = (((uintptr_t)((int32_t)((uint32_t)L_1397>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1399 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1400 = V_13; NullCheck(L_1399); IL2CPP_ARRAY_BOUNDS_CHECK(L_1399, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1400>>((int32_t)16))))))); int32_t L_1401 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1400>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1402 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1403 = V_11; NullCheck(L_1402); IL2CPP_ARRAY_BOUNDS_CHECK(L_1402, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1403>>8)))))); int32_t L_1404 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1403>>8))))); UInt32U5BU5D_t2133601851* L_1405 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1406 = V_10; NullCheck(L_1405); IL2CPP_ARRAY_BOUNDS_CHECK(L_1405, (((int32_t)((uint8_t)L_1406)))); int32_t L_1407 = (((int32_t)((uint8_t)L_1406))); UInt32U5BU5D_t2133601851* L_1408 = ___ekey; NullCheck(L_1408); IL2CPP_ARRAY_BOUNDS_CHECK(L_1408, ((int32_t)102)); int32_t L_1409 = ((int32_t)102); V_6 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1396)->GetAt(static_cast<il2cpp_array_size_t>(L_1398)))^(int32_t)((L_1399)->GetAt(static_cast<il2cpp_array_size_t>(L_1401)))))^(int32_t)((L_1402)->GetAt(static_cast<il2cpp_array_size_t>(L_1404)))))^(int32_t)((L_1405)->GetAt(static_cast<il2cpp_array_size_t>(L_1407)))))^(int32_t)((L_1408)->GetAt(static_cast<il2cpp_array_size_t>(L_1409))))); UInt32U5BU5D_t2133601851* L_1410 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1411 = V_15; NullCheck(L_1410); IL2CPP_ARRAY_BOUNDS_CHECK(L_1410, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1411>>((int32_t)24)))))); uintptr_t L_1412 = (((uintptr_t)((int32_t)((uint32_t)L_1411>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1413 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1414 = V_14; NullCheck(L_1413); IL2CPP_ARRAY_BOUNDS_CHECK(L_1413, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1414>>((int32_t)16))))))); int32_t L_1415 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1414>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1416 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1417 = V_12; NullCheck(L_1416); IL2CPP_ARRAY_BOUNDS_CHECK(L_1416, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1417>>8)))))); int32_t L_1418 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1417>>8))))); UInt32U5BU5D_t2133601851* L_1419 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1420 = V_11; NullCheck(L_1419); IL2CPP_ARRAY_BOUNDS_CHECK(L_1419, (((int32_t)((uint8_t)L_1420)))); int32_t L_1421 = (((int32_t)((uint8_t)L_1420))); UInt32U5BU5D_t2133601851* L_1422 = ___ekey; NullCheck(L_1422); IL2CPP_ARRAY_BOUNDS_CHECK(L_1422, ((int32_t)103)); int32_t L_1423 = ((int32_t)103); V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1410)->GetAt(static_cast<il2cpp_array_size_t>(L_1412)))^(int32_t)((L_1413)->GetAt(static_cast<il2cpp_array_size_t>(L_1415)))))^(int32_t)((L_1416)->GetAt(static_cast<il2cpp_array_size_t>(L_1418)))))^(int32_t)((L_1419)->GetAt(static_cast<il2cpp_array_size_t>(L_1421)))))^(int32_t)((L_1422)->GetAt(static_cast<il2cpp_array_size_t>(L_1423))))); UInt32U5BU5D_t2133601851* L_1424 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1425 = V_0; NullCheck(L_1424); IL2CPP_ARRAY_BOUNDS_CHECK(L_1424, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1425>>((int32_t)24)))))); uintptr_t L_1426 = (((uintptr_t)((int32_t)((uint32_t)L_1425>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1427 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1428 = V_7; NullCheck(L_1427); IL2CPP_ARRAY_BOUNDS_CHECK(L_1427, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1428>>((int32_t)16))))))); int32_t L_1429 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1428>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1430 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1431 = V_5; NullCheck(L_1430); IL2CPP_ARRAY_BOUNDS_CHECK(L_1430, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1431>>8)))))); int32_t L_1432 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1431>>8))))); UInt32U5BU5D_t2133601851* L_1433 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1434 = V_4; NullCheck(L_1433); IL2CPP_ARRAY_BOUNDS_CHECK(L_1433, (((int32_t)((uint8_t)L_1434)))); int32_t L_1435 = (((int32_t)((uint8_t)L_1434))); UInt32U5BU5D_t2133601851* L_1436 = ___ekey; NullCheck(L_1436); IL2CPP_ARRAY_BOUNDS_CHECK(L_1436, ((int32_t)104)); int32_t L_1437 = ((int32_t)104); V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1424)->GetAt(static_cast<il2cpp_array_size_t>(L_1426)))^(int32_t)((L_1427)->GetAt(static_cast<il2cpp_array_size_t>(L_1429)))))^(int32_t)((L_1430)->GetAt(static_cast<il2cpp_array_size_t>(L_1432)))))^(int32_t)((L_1433)->GetAt(static_cast<il2cpp_array_size_t>(L_1435)))))^(int32_t)((L_1436)->GetAt(static_cast<il2cpp_array_size_t>(L_1437))))); UInt32U5BU5D_t2133601851* L_1438 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1439 = V_1; NullCheck(L_1438); IL2CPP_ARRAY_BOUNDS_CHECK(L_1438, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1439>>((int32_t)24)))))); uintptr_t L_1440 = (((uintptr_t)((int32_t)((uint32_t)L_1439>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1441 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1442 = V_0; NullCheck(L_1441); IL2CPP_ARRAY_BOUNDS_CHECK(L_1441, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1442>>((int32_t)16))))))); int32_t L_1443 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1442>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1444 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1445 = V_6; NullCheck(L_1444); IL2CPP_ARRAY_BOUNDS_CHECK(L_1444, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1445>>8)))))); int32_t L_1446 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1445>>8))))); UInt32U5BU5D_t2133601851* L_1447 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1448 = V_5; NullCheck(L_1447); IL2CPP_ARRAY_BOUNDS_CHECK(L_1447, (((int32_t)((uint8_t)L_1448)))); int32_t L_1449 = (((int32_t)((uint8_t)L_1448))); UInt32U5BU5D_t2133601851* L_1450 = ___ekey; NullCheck(L_1450); IL2CPP_ARRAY_BOUNDS_CHECK(L_1450, ((int32_t)105)); int32_t L_1451 = ((int32_t)105); V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1438)->GetAt(static_cast<il2cpp_array_size_t>(L_1440)))^(int32_t)((L_1441)->GetAt(static_cast<il2cpp_array_size_t>(L_1443)))))^(int32_t)((L_1444)->GetAt(static_cast<il2cpp_array_size_t>(L_1446)))))^(int32_t)((L_1447)->GetAt(static_cast<il2cpp_array_size_t>(L_1449)))))^(int32_t)((L_1450)->GetAt(static_cast<il2cpp_array_size_t>(L_1451))))); UInt32U5BU5D_t2133601851* L_1452 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1453 = V_2; NullCheck(L_1452); IL2CPP_ARRAY_BOUNDS_CHECK(L_1452, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1453>>((int32_t)24)))))); uintptr_t L_1454 = (((uintptr_t)((int32_t)((uint32_t)L_1453>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1455 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1456 = V_1; NullCheck(L_1455); IL2CPP_ARRAY_BOUNDS_CHECK(L_1455, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1456>>((int32_t)16))))))); int32_t L_1457 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1456>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1458 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1459 = V_7; NullCheck(L_1458); IL2CPP_ARRAY_BOUNDS_CHECK(L_1458, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1459>>8)))))); int32_t L_1460 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1459>>8))))); UInt32U5BU5D_t2133601851* L_1461 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1462 = V_6; NullCheck(L_1461); IL2CPP_ARRAY_BOUNDS_CHECK(L_1461, (((int32_t)((uint8_t)L_1462)))); int32_t L_1463 = (((int32_t)((uint8_t)L_1462))); UInt32U5BU5D_t2133601851* L_1464 = ___ekey; NullCheck(L_1464); IL2CPP_ARRAY_BOUNDS_CHECK(L_1464, ((int32_t)106)); int32_t L_1465 = ((int32_t)106); V_10 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1452)->GetAt(static_cast<il2cpp_array_size_t>(L_1454)))^(int32_t)((L_1455)->GetAt(static_cast<il2cpp_array_size_t>(L_1457)))))^(int32_t)((L_1458)->GetAt(static_cast<il2cpp_array_size_t>(L_1460)))))^(int32_t)((L_1461)->GetAt(static_cast<il2cpp_array_size_t>(L_1463)))))^(int32_t)((L_1464)->GetAt(static_cast<il2cpp_array_size_t>(L_1465))))); UInt32U5BU5D_t2133601851* L_1466 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1467 = V_3; NullCheck(L_1466); IL2CPP_ARRAY_BOUNDS_CHECK(L_1466, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1467>>((int32_t)24)))))); uintptr_t L_1468 = (((uintptr_t)((int32_t)((uint32_t)L_1467>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1469 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1470 = V_2; NullCheck(L_1469); IL2CPP_ARRAY_BOUNDS_CHECK(L_1469, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1470>>((int32_t)16))))))); int32_t L_1471 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1470>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1472 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1473 = V_0; NullCheck(L_1472); IL2CPP_ARRAY_BOUNDS_CHECK(L_1472, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1473>>8)))))); int32_t L_1474 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1473>>8))))); UInt32U5BU5D_t2133601851* L_1475 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1476 = V_7; NullCheck(L_1475); IL2CPP_ARRAY_BOUNDS_CHECK(L_1475, (((int32_t)((uint8_t)L_1476)))); int32_t L_1477 = (((int32_t)((uint8_t)L_1476))); UInt32U5BU5D_t2133601851* L_1478 = ___ekey; NullCheck(L_1478); IL2CPP_ARRAY_BOUNDS_CHECK(L_1478, ((int32_t)107)); int32_t L_1479 = ((int32_t)107); V_11 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1466)->GetAt(static_cast<il2cpp_array_size_t>(L_1468)))^(int32_t)((L_1469)->GetAt(static_cast<il2cpp_array_size_t>(L_1471)))))^(int32_t)((L_1472)->GetAt(static_cast<il2cpp_array_size_t>(L_1474)))))^(int32_t)((L_1475)->GetAt(static_cast<il2cpp_array_size_t>(L_1477)))))^(int32_t)((L_1478)->GetAt(static_cast<il2cpp_array_size_t>(L_1479))))); UInt32U5BU5D_t2133601851* L_1480 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1481 = V_4; NullCheck(L_1480); IL2CPP_ARRAY_BOUNDS_CHECK(L_1480, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1481>>((int32_t)24)))))); uintptr_t L_1482 = (((uintptr_t)((int32_t)((uint32_t)L_1481>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1483 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1484 = V_3; NullCheck(L_1483); IL2CPP_ARRAY_BOUNDS_CHECK(L_1483, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1484>>((int32_t)16))))))); int32_t L_1485 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1484>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1486 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1487 = V_1; NullCheck(L_1486); IL2CPP_ARRAY_BOUNDS_CHECK(L_1486, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1487>>8)))))); int32_t L_1488 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1487>>8))))); UInt32U5BU5D_t2133601851* L_1489 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1490 = V_0; NullCheck(L_1489); IL2CPP_ARRAY_BOUNDS_CHECK(L_1489, (((int32_t)((uint8_t)L_1490)))); int32_t L_1491 = (((int32_t)((uint8_t)L_1490))); UInt32U5BU5D_t2133601851* L_1492 = ___ekey; NullCheck(L_1492); IL2CPP_ARRAY_BOUNDS_CHECK(L_1492, ((int32_t)108)); int32_t L_1493 = ((int32_t)108); V_12 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1480)->GetAt(static_cast<il2cpp_array_size_t>(L_1482)))^(int32_t)((L_1483)->GetAt(static_cast<il2cpp_array_size_t>(L_1485)))))^(int32_t)((L_1486)->GetAt(static_cast<il2cpp_array_size_t>(L_1488)))))^(int32_t)((L_1489)->GetAt(static_cast<il2cpp_array_size_t>(L_1491)))))^(int32_t)((L_1492)->GetAt(static_cast<il2cpp_array_size_t>(L_1493))))); UInt32U5BU5D_t2133601851* L_1494 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1495 = V_5; NullCheck(L_1494); IL2CPP_ARRAY_BOUNDS_CHECK(L_1494, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1495>>((int32_t)24)))))); uintptr_t L_1496 = (((uintptr_t)((int32_t)((uint32_t)L_1495>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1497 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1498 = V_4; NullCheck(L_1497); IL2CPP_ARRAY_BOUNDS_CHECK(L_1497, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1498>>((int32_t)16))))))); int32_t L_1499 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1498>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1500 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1501 = V_2; NullCheck(L_1500); IL2CPP_ARRAY_BOUNDS_CHECK(L_1500, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1501>>8)))))); int32_t L_1502 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1501>>8))))); UInt32U5BU5D_t2133601851* L_1503 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1504 = V_1; NullCheck(L_1503); IL2CPP_ARRAY_BOUNDS_CHECK(L_1503, (((int32_t)((uint8_t)L_1504)))); int32_t L_1505 = (((int32_t)((uint8_t)L_1504))); UInt32U5BU5D_t2133601851* L_1506 = ___ekey; NullCheck(L_1506); IL2CPP_ARRAY_BOUNDS_CHECK(L_1506, ((int32_t)109)); int32_t L_1507 = ((int32_t)109); V_13 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1494)->GetAt(static_cast<il2cpp_array_size_t>(L_1496)))^(int32_t)((L_1497)->GetAt(static_cast<il2cpp_array_size_t>(L_1499)))))^(int32_t)((L_1500)->GetAt(static_cast<il2cpp_array_size_t>(L_1502)))))^(int32_t)((L_1503)->GetAt(static_cast<il2cpp_array_size_t>(L_1505)))))^(int32_t)((L_1506)->GetAt(static_cast<il2cpp_array_size_t>(L_1507))))); UInt32U5BU5D_t2133601851* L_1508 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1509 = V_6; NullCheck(L_1508); IL2CPP_ARRAY_BOUNDS_CHECK(L_1508, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1509>>((int32_t)24)))))); uintptr_t L_1510 = (((uintptr_t)((int32_t)((uint32_t)L_1509>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1511 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1512 = V_5; NullCheck(L_1511); IL2CPP_ARRAY_BOUNDS_CHECK(L_1511, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1512>>((int32_t)16))))))); int32_t L_1513 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1512>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1514 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1515 = V_3; NullCheck(L_1514); IL2CPP_ARRAY_BOUNDS_CHECK(L_1514, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1515>>8)))))); int32_t L_1516 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1515>>8))))); UInt32U5BU5D_t2133601851* L_1517 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1518 = V_2; NullCheck(L_1517); IL2CPP_ARRAY_BOUNDS_CHECK(L_1517, (((int32_t)((uint8_t)L_1518)))); int32_t L_1519 = (((int32_t)((uint8_t)L_1518))); UInt32U5BU5D_t2133601851* L_1520 = ___ekey; NullCheck(L_1520); IL2CPP_ARRAY_BOUNDS_CHECK(L_1520, ((int32_t)110)); int32_t L_1521 = ((int32_t)110); V_14 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1508)->GetAt(static_cast<il2cpp_array_size_t>(L_1510)))^(int32_t)((L_1511)->GetAt(static_cast<il2cpp_array_size_t>(L_1513)))))^(int32_t)((L_1514)->GetAt(static_cast<il2cpp_array_size_t>(L_1516)))))^(int32_t)((L_1517)->GetAt(static_cast<il2cpp_array_size_t>(L_1519)))))^(int32_t)((L_1520)->GetAt(static_cast<il2cpp_array_size_t>(L_1521))))); UInt32U5BU5D_t2133601851* L_1522 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT0_23(); uint32_t L_1523 = V_7; NullCheck(L_1522); IL2CPP_ARRAY_BOUNDS_CHECK(L_1522, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1523>>((int32_t)24)))))); uintptr_t L_1524 = (((uintptr_t)((int32_t)((uint32_t)L_1523>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1525 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT1_24(); uint32_t L_1526 = V_6; NullCheck(L_1525); IL2CPP_ARRAY_BOUNDS_CHECK(L_1525, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1526>>((int32_t)16))))))); int32_t L_1527 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1526>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1528 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT2_25(); uint32_t L_1529 = V_4; NullCheck(L_1528); IL2CPP_ARRAY_BOUNDS_CHECK(L_1528, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1529>>8)))))); int32_t L_1530 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1529>>8))))); UInt32U5BU5D_t2133601851* L_1531 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iT3_26(); uint32_t L_1532 = V_3; NullCheck(L_1531); IL2CPP_ARRAY_BOUNDS_CHECK(L_1531, (((int32_t)((uint8_t)L_1532)))); int32_t L_1533 = (((int32_t)((uint8_t)L_1532))); UInt32U5BU5D_t2133601851* L_1534 = ___ekey; NullCheck(L_1534); IL2CPP_ARRAY_BOUNDS_CHECK(L_1534, ((int32_t)111)); int32_t L_1535 = ((int32_t)111); V_15 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1522)->GetAt(static_cast<il2cpp_array_size_t>(L_1524)))^(int32_t)((L_1525)->GetAt(static_cast<il2cpp_array_size_t>(L_1527)))))^(int32_t)((L_1528)->GetAt(static_cast<il2cpp_array_size_t>(L_1530)))))^(int32_t)((L_1531)->GetAt(static_cast<il2cpp_array_size_t>(L_1533)))))^(int32_t)((L_1534)->GetAt(static_cast<il2cpp_array_size_t>(L_1535))))); ByteU5BU5D_t58506160* L_1536 = ___outdata; ByteU5BU5D_t58506160* L_1537 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1538 = V_8; NullCheck(L_1537); IL2CPP_ARRAY_BOUNDS_CHECK(L_1537, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1538>>((int32_t)24)))))); uintptr_t L_1539 = (((uintptr_t)((int32_t)((uint32_t)L_1538>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1540 = ___ekey; NullCheck(L_1540); IL2CPP_ARRAY_BOUNDS_CHECK(L_1540, ((int32_t)112)); int32_t L_1541 = ((int32_t)112); NullCheck(L_1536); IL2CPP_ARRAY_BOUNDS_CHECK(L_1536, 0); (L_1536)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1537)->GetAt(static_cast<il2cpp_array_size_t>(L_1539)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1540)->GetAt(static_cast<il2cpp_array_size_t>(L_1541)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1542 = ___outdata; ByteU5BU5D_t58506160* L_1543 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1544 = V_15; NullCheck(L_1543); IL2CPP_ARRAY_BOUNDS_CHECK(L_1543, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1544>>((int32_t)16))))))); int32_t L_1545 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1544>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1546 = ___ekey; NullCheck(L_1546); IL2CPP_ARRAY_BOUNDS_CHECK(L_1546, ((int32_t)112)); int32_t L_1547 = ((int32_t)112); NullCheck(L_1542); IL2CPP_ARRAY_BOUNDS_CHECK(L_1542, 1); (L_1542)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1543)->GetAt(static_cast<il2cpp_array_size_t>(L_1545)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1546)->GetAt(static_cast<il2cpp_array_size_t>(L_1547)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1548 = ___outdata; ByteU5BU5D_t58506160* L_1549 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1550 = V_13; NullCheck(L_1549); IL2CPP_ARRAY_BOUNDS_CHECK(L_1549, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1550>>8)))))); int32_t L_1551 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1550>>8))))); UInt32U5BU5D_t2133601851* L_1552 = ___ekey; NullCheck(L_1552); IL2CPP_ARRAY_BOUNDS_CHECK(L_1552, ((int32_t)112)); int32_t L_1553 = ((int32_t)112); NullCheck(L_1548); IL2CPP_ARRAY_BOUNDS_CHECK(L_1548, 2); (L_1548)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1549)->GetAt(static_cast<il2cpp_array_size_t>(L_1551)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1552)->GetAt(static_cast<il2cpp_array_size_t>(L_1553)))>>8))))))))))); ByteU5BU5D_t58506160* L_1554 = ___outdata; ByteU5BU5D_t58506160* L_1555 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1556 = V_12; NullCheck(L_1555); IL2CPP_ARRAY_BOUNDS_CHECK(L_1555, (((int32_t)((uint8_t)L_1556)))); int32_t L_1557 = (((int32_t)((uint8_t)L_1556))); UInt32U5BU5D_t2133601851* L_1558 = ___ekey; NullCheck(L_1558); IL2CPP_ARRAY_BOUNDS_CHECK(L_1558, ((int32_t)112)); int32_t L_1559 = ((int32_t)112); NullCheck(L_1554); IL2CPP_ARRAY_BOUNDS_CHECK(L_1554, 3); (L_1554)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1555)->GetAt(static_cast<il2cpp_array_size_t>(L_1557)))^(int32_t)(((int32_t)((uint8_t)((L_1558)->GetAt(static_cast<il2cpp_array_size_t>(L_1559)))))))))))); ByteU5BU5D_t58506160* L_1560 = ___outdata; ByteU5BU5D_t58506160* L_1561 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1562 = V_9; NullCheck(L_1561); IL2CPP_ARRAY_BOUNDS_CHECK(L_1561, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1562>>((int32_t)24)))))); uintptr_t L_1563 = (((uintptr_t)((int32_t)((uint32_t)L_1562>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1564 = ___ekey; NullCheck(L_1564); IL2CPP_ARRAY_BOUNDS_CHECK(L_1564, ((int32_t)113)); int32_t L_1565 = ((int32_t)113); NullCheck(L_1560); IL2CPP_ARRAY_BOUNDS_CHECK(L_1560, 4); (L_1560)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1561)->GetAt(static_cast<il2cpp_array_size_t>(L_1563)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1564)->GetAt(static_cast<il2cpp_array_size_t>(L_1565)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1566 = ___outdata; ByteU5BU5D_t58506160* L_1567 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1568 = V_8; NullCheck(L_1567); IL2CPP_ARRAY_BOUNDS_CHECK(L_1567, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1568>>((int32_t)16))))))); int32_t L_1569 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1568>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1570 = ___ekey; NullCheck(L_1570); IL2CPP_ARRAY_BOUNDS_CHECK(L_1570, ((int32_t)113)); int32_t L_1571 = ((int32_t)113); NullCheck(L_1566); IL2CPP_ARRAY_BOUNDS_CHECK(L_1566, 5); (L_1566)->SetAt(static_cast<il2cpp_array_size_t>(5), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1567)->GetAt(static_cast<il2cpp_array_size_t>(L_1569)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1570)->GetAt(static_cast<il2cpp_array_size_t>(L_1571)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1572 = ___outdata; ByteU5BU5D_t58506160* L_1573 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1574 = V_14; NullCheck(L_1573); IL2CPP_ARRAY_BOUNDS_CHECK(L_1573, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1574>>8)))))); int32_t L_1575 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1574>>8))))); UInt32U5BU5D_t2133601851* L_1576 = ___ekey; NullCheck(L_1576); IL2CPP_ARRAY_BOUNDS_CHECK(L_1576, ((int32_t)113)); int32_t L_1577 = ((int32_t)113); NullCheck(L_1572); IL2CPP_ARRAY_BOUNDS_CHECK(L_1572, 6); (L_1572)->SetAt(static_cast<il2cpp_array_size_t>(6), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1573)->GetAt(static_cast<il2cpp_array_size_t>(L_1575)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1576)->GetAt(static_cast<il2cpp_array_size_t>(L_1577)))>>8))))))))))); ByteU5BU5D_t58506160* L_1578 = ___outdata; ByteU5BU5D_t58506160* L_1579 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1580 = V_13; NullCheck(L_1579); IL2CPP_ARRAY_BOUNDS_CHECK(L_1579, (((int32_t)((uint8_t)L_1580)))); int32_t L_1581 = (((int32_t)((uint8_t)L_1580))); UInt32U5BU5D_t2133601851* L_1582 = ___ekey; NullCheck(L_1582); IL2CPP_ARRAY_BOUNDS_CHECK(L_1582, ((int32_t)113)); int32_t L_1583 = ((int32_t)113); NullCheck(L_1578); IL2CPP_ARRAY_BOUNDS_CHECK(L_1578, 7); (L_1578)->SetAt(static_cast<il2cpp_array_size_t>(7), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1579)->GetAt(static_cast<il2cpp_array_size_t>(L_1581)))^(int32_t)(((int32_t)((uint8_t)((L_1582)->GetAt(static_cast<il2cpp_array_size_t>(L_1583)))))))))))); ByteU5BU5D_t58506160* L_1584 = ___outdata; ByteU5BU5D_t58506160* L_1585 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1586 = V_10; NullCheck(L_1585); IL2CPP_ARRAY_BOUNDS_CHECK(L_1585, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1586>>((int32_t)24)))))); uintptr_t L_1587 = (((uintptr_t)((int32_t)((uint32_t)L_1586>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1588 = ___ekey; NullCheck(L_1588); IL2CPP_ARRAY_BOUNDS_CHECK(L_1588, ((int32_t)114)); int32_t L_1589 = ((int32_t)114); NullCheck(L_1584); IL2CPP_ARRAY_BOUNDS_CHECK(L_1584, 8); (L_1584)->SetAt(static_cast<il2cpp_array_size_t>(8), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1585)->GetAt(static_cast<il2cpp_array_size_t>(L_1587)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1588)->GetAt(static_cast<il2cpp_array_size_t>(L_1589)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1590 = ___outdata; ByteU5BU5D_t58506160* L_1591 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1592 = V_9; NullCheck(L_1591); IL2CPP_ARRAY_BOUNDS_CHECK(L_1591, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1592>>((int32_t)16))))))); int32_t L_1593 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1592>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1594 = ___ekey; NullCheck(L_1594); IL2CPP_ARRAY_BOUNDS_CHECK(L_1594, ((int32_t)114)); int32_t L_1595 = ((int32_t)114); NullCheck(L_1590); IL2CPP_ARRAY_BOUNDS_CHECK(L_1590, ((int32_t)9)); (L_1590)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1591)->GetAt(static_cast<il2cpp_array_size_t>(L_1593)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1594)->GetAt(static_cast<il2cpp_array_size_t>(L_1595)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1596 = ___outdata; ByteU5BU5D_t58506160* L_1597 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1598 = V_15; NullCheck(L_1597); IL2CPP_ARRAY_BOUNDS_CHECK(L_1597, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1598>>8)))))); int32_t L_1599 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1598>>8))))); UInt32U5BU5D_t2133601851* L_1600 = ___ekey; NullCheck(L_1600); IL2CPP_ARRAY_BOUNDS_CHECK(L_1600, ((int32_t)114)); int32_t L_1601 = ((int32_t)114); NullCheck(L_1596); IL2CPP_ARRAY_BOUNDS_CHECK(L_1596, ((int32_t)10)); (L_1596)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)10)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1597)->GetAt(static_cast<il2cpp_array_size_t>(L_1599)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1600)->GetAt(static_cast<il2cpp_array_size_t>(L_1601)))>>8))))))))))); ByteU5BU5D_t58506160* L_1602 = ___outdata; ByteU5BU5D_t58506160* L_1603 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1604 = V_14; NullCheck(L_1603); IL2CPP_ARRAY_BOUNDS_CHECK(L_1603, (((int32_t)((uint8_t)L_1604)))); int32_t L_1605 = (((int32_t)((uint8_t)L_1604))); UInt32U5BU5D_t2133601851* L_1606 = ___ekey; NullCheck(L_1606); IL2CPP_ARRAY_BOUNDS_CHECK(L_1606, ((int32_t)114)); int32_t L_1607 = ((int32_t)114); NullCheck(L_1602); IL2CPP_ARRAY_BOUNDS_CHECK(L_1602, ((int32_t)11)); (L_1602)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)11)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1603)->GetAt(static_cast<il2cpp_array_size_t>(L_1605)))^(int32_t)(((int32_t)((uint8_t)((L_1606)->GetAt(static_cast<il2cpp_array_size_t>(L_1607)))))))))))); ByteU5BU5D_t58506160* L_1608 = ___outdata; ByteU5BU5D_t58506160* L_1609 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1610 = V_11; NullCheck(L_1609); IL2CPP_ARRAY_BOUNDS_CHECK(L_1609, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1610>>((int32_t)24)))))); uintptr_t L_1611 = (((uintptr_t)((int32_t)((uint32_t)L_1610>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1612 = ___ekey; NullCheck(L_1612); IL2CPP_ARRAY_BOUNDS_CHECK(L_1612, ((int32_t)115)); int32_t L_1613 = ((int32_t)115); NullCheck(L_1608); IL2CPP_ARRAY_BOUNDS_CHECK(L_1608, ((int32_t)12)); (L_1608)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)12)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1609)->GetAt(static_cast<il2cpp_array_size_t>(L_1611)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1612)->GetAt(static_cast<il2cpp_array_size_t>(L_1613)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1614 = ___outdata; ByteU5BU5D_t58506160* L_1615 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1616 = V_10; NullCheck(L_1615); IL2CPP_ARRAY_BOUNDS_CHECK(L_1615, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1616>>((int32_t)16))))))); int32_t L_1617 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1616>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1618 = ___ekey; NullCheck(L_1618); IL2CPP_ARRAY_BOUNDS_CHECK(L_1618, ((int32_t)115)); int32_t L_1619 = ((int32_t)115); NullCheck(L_1614); IL2CPP_ARRAY_BOUNDS_CHECK(L_1614, ((int32_t)13)); (L_1614)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)13)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1615)->GetAt(static_cast<il2cpp_array_size_t>(L_1617)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1618)->GetAt(static_cast<il2cpp_array_size_t>(L_1619)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1620 = ___outdata; ByteU5BU5D_t58506160* L_1621 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1622 = V_8; NullCheck(L_1621); IL2CPP_ARRAY_BOUNDS_CHECK(L_1621, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1622>>8)))))); int32_t L_1623 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1622>>8))))); UInt32U5BU5D_t2133601851* L_1624 = ___ekey; NullCheck(L_1624); IL2CPP_ARRAY_BOUNDS_CHECK(L_1624, ((int32_t)115)); int32_t L_1625 = ((int32_t)115); NullCheck(L_1620); IL2CPP_ARRAY_BOUNDS_CHECK(L_1620, ((int32_t)14)); (L_1620)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1621)->GetAt(static_cast<il2cpp_array_size_t>(L_1623)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1624)->GetAt(static_cast<il2cpp_array_size_t>(L_1625)))>>8))))))))))); ByteU5BU5D_t58506160* L_1626 = ___outdata; ByteU5BU5D_t58506160* L_1627 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1628 = V_15; NullCheck(L_1627); IL2CPP_ARRAY_BOUNDS_CHECK(L_1627, (((int32_t)((uint8_t)L_1628)))); int32_t L_1629 = (((int32_t)((uint8_t)L_1628))); UInt32U5BU5D_t2133601851* L_1630 = ___ekey; NullCheck(L_1630); IL2CPP_ARRAY_BOUNDS_CHECK(L_1630, ((int32_t)115)); int32_t L_1631 = ((int32_t)115); NullCheck(L_1626); IL2CPP_ARRAY_BOUNDS_CHECK(L_1626, ((int32_t)15)); (L_1626)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1627)->GetAt(static_cast<il2cpp_array_size_t>(L_1629)))^(int32_t)(((int32_t)((uint8_t)((L_1630)->GetAt(static_cast<il2cpp_array_size_t>(L_1631)))))))))))); ByteU5BU5D_t58506160* L_1632 = ___outdata; ByteU5BU5D_t58506160* L_1633 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1634 = V_12; NullCheck(L_1633); IL2CPP_ARRAY_BOUNDS_CHECK(L_1633, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1634>>((int32_t)24)))))); uintptr_t L_1635 = (((uintptr_t)((int32_t)((uint32_t)L_1634>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1636 = ___ekey; NullCheck(L_1636); IL2CPP_ARRAY_BOUNDS_CHECK(L_1636, ((int32_t)116)); int32_t L_1637 = ((int32_t)116); NullCheck(L_1632); IL2CPP_ARRAY_BOUNDS_CHECK(L_1632, ((int32_t)16)); (L_1632)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)16)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1633)->GetAt(static_cast<il2cpp_array_size_t>(L_1635)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1636)->GetAt(static_cast<il2cpp_array_size_t>(L_1637)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1638 = ___outdata; ByteU5BU5D_t58506160* L_1639 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1640 = V_11; NullCheck(L_1639); IL2CPP_ARRAY_BOUNDS_CHECK(L_1639, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1640>>((int32_t)16))))))); int32_t L_1641 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1640>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1642 = ___ekey; NullCheck(L_1642); IL2CPP_ARRAY_BOUNDS_CHECK(L_1642, ((int32_t)116)); int32_t L_1643 = ((int32_t)116); NullCheck(L_1638); IL2CPP_ARRAY_BOUNDS_CHECK(L_1638, ((int32_t)17)); (L_1638)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)17)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1639)->GetAt(static_cast<il2cpp_array_size_t>(L_1641)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1642)->GetAt(static_cast<il2cpp_array_size_t>(L_1643)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1644 = ___outdata; ByteU5BU5D_t58506160* L_1645 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1646 = V_9; NullCheck(L_1645); IL2CPP_ARRAY_BOUNDS_CHECK(L_1645, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1646>>8)))))); int32_t L_1647 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1646>>8))))); UInt32U5BU5D_t2133601851* L_1648 = ___ekey; NullCheck(L_1648); IL2CPP_ARRAY_BOUNDS_CHECK(L_1648, ((int32_t)116)); int32_t L_1649 = ((int32_t)116); NullCheck(L_1644); IL2CPP_ARRAY_BOUNDS_CHECK(L_1644, ((int32_t)18)); (L_1644)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)18)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1645)->GetAt(static_cast<il2cpp_array_size_t>(L_1647)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1648)->GetAt(static_cast<il2cpp_array_size_t>(L_1649)))>>8))))))))))); ByteU5BU5D_t58506160* L_1650 = ___outdata; ByteU5BU5D_t58506160* L_1651 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1652 = V_8; NullCheck(L_1651); IL2CPP_ARRAY_BOUNDS_CHECK(L_1651, (((int32_t)((uint8_t)L_1652)))); int32_t L_1653 = (((int32_t)((uint8_t)L_1652))); UInt32U5BU5D_t2133601851* L_1654 = ___ekey; NullCheck(L_1654); IL2CPP_ARRAY_BOUNDS_CHECK(L_1654, ((int32_t)116)); int32_t L_1655 = ((int32_t)116); NullCheck(L_1650); IL2CPP_ARRAY_BOUNDS_CHECK(L_1650, ((int32_t)19)); (L_1650)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)19)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1651)->GetAt(static_cast<il2cpp_array_size_t>(L_1653)))^(int32_t)(((int32_t)((uint8_t)((L_1654)->GetAt(static_cast<il2cpp_array_size_t>(L_1655)))))))))))); ByteU5BU5D_t58506160* L_1656 = ___outdata; ByteU5BU5D_t58506160* L_1657 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1658 = V_13; NullCheck(L_1657); IL2CPP_ARRAY_BOUNDS_CHECK(L_1657, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1658>>((int32_t)24)))))); uintptr_t L_1659 = (((uintptr_t)((int32_t)((uint32_t)L_1658>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1660 = ___ekey; NullCheck(L_1660); IL2CPP_ARRAY_BOUNDS_CHECK(L_1660, ((int32_t)117)); int32_t L_1661 = ((int32_t)117); NullCheck(L_1656); IL2CPP_ARRAY_BOUNDS_CHECK(L_1656, ((int32_t)20)); (L_1656)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)20)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1657)->GetAt(static_cast<il2cpp_array_size_t>(L_1659)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1660)->GetAt(static_cast<il2cpp_array_size_t>(L_1661)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1662 = ___outdata; ByteU5BU5D_t58506160* L_1663 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1664 = V_12; NullCheck(L_1663); IL2CPP_ARRAY_BOUNDS_CHECK(L_1663, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1664>>((int32_t)16))))))); int32_t L_1665 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1664>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1666 = ___ekey; NullCheck(L_1666); IL2CPP_ARRAY_BOUNDS_CHECK(L_1666, ((int32_t)117)); int32_t L_1667 = ((int32_t)117); NullCheck(L_1662); IL2CPP_ARRAY_BOUNDS_CHECK(L_1662, ((int32_t)21)); (L_1662)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)21)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1663)->GetAt(static_cast<il2cpp_array_size_t>(L_1665)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1666)->GetAt(static_cast<il2cpp_array_size_t>(L_1667)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1668 = ___outdata; ByteU5BU5D_t58506160* L_1669 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1670 = V_10; NullCheck(L_1669); IL2CPP_ARRAY_BOUNDS_CHECK(L_1669, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1670>>8)))))); int32_t L_1671 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1670>>8))))); UInt32U5BU5D_t2133601851* L_1672 = ___ekey; NullCheck(L_1672); IL2CPP_ARRAY_BOUNDS_CHECK(L_1672, ((int32_t)117)); int32_t L_1673 = ((int32_t)117); NullCheck(L_1668); IL2CPP_ARRAY_BOUNDS_CHECK(L_1668, ((int32_t)22)); (L_1668)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)22)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1669)->GetAt(static_cast<il2cpp_array_size_t>(L_1671)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1672)->GetAt(static_cast<il2cpp_array_size_t>(L_1673)))>>8))))))))))); ByteU5BU5D_t58506160* L_1674 = ___outdata; ByteU5BU5D_t58506160* L_1675 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1676 = V_9; NullCheck(L_1675); IL2CPP_ARRAY_BOUNDS_CHECK(L_1675, (((int32_t)((uint8_t)L_1676)))); int32_t L_1677 = (((int32_t)((uint8_t)L_1676))); UInt32U5BU5D_t2133601851* L_1678 = ___ekey; NullCheck(L_1678); IL2CPP_ARRAY_BOUNDS_CHECK(L_1678, ((int32_t)117)); int32_t L_1679 = ((int32_t)117); NullCheck(L_1674); IL2CPP_ARRAY_BOUNDS_CHECK(L_1674, ((int32_t)23)); (L_1674)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)23)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1675)->GetAt(static_cast<il2cpp_array_size_t>(L_1677)))^(int32_t)(((int32_t)((uint8_t)((L_1678)->GetAt(static_cast<il2cpp_array_size_t>(L_1679)))))))))))); ByteU5BU5D_t58506160* L_1680 = ___outdata; ByteU5BU5D_t58506160* L_1681 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1682 = V_14; NullCheck(L_1681); IL2CPP_ARRAY_BOUNDS_CHECK(L_1681, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1682>>((int32_t)24)))))); uintptr_t L_1683 = (((uintptr_t)((int32_t)((uint32_t)L_1682>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1684 = ___ekey; NullCheck(L_1684); IL2CPP_ARRAY_BOUNDS_CHECK(L_1684, ((int32_t)118)); int32_t L_1685 = ((int32_t)118); NullCheck(L_1680); IL2CPP_ARRAY_BOUNDS_CHECK(L_1680, ((int32_t)24)); (L_1680)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)24)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1681)->GetAt(static_cast<il2cpp_array_size_t>(L_1683)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1684)->GetAt(static_cast<il2cpp_array_size_t>(L_1685)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1686 = ___outdata; ByteU5BU5D_t58506160* L_1687 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1688 = V_13; NullCheck(L_1687); IL2CPP_ARRAY_BOUNDS_CHECK(L_1687, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1688>>((int32_t)16))))))); int32_t L_1689 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1688>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1690 = ___ekey; NullCheck(L_1690); IL2CPP_ARRAY_BOUNDS_CHECK(L_1690, ((int32_t)118)); int32_t L_1691 = ((int32_t)118); NullCheck(L_1686); IL2CPP_ARRAY_BOUNDS_CHECK(L_1686, ((int32_t)25)); (L_1686)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)25)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1687)->GetAt(static_cast<il2cpp_array_size_t>(L_1689)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1690)->GetAt(static_cast<il2cpp_array_size_t>(L_1691)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1692 = ___outdata; ByteU5BU5D_t58506160* L_1693 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1694 = V_11; NullCheck(L_1693); IL2CPP_ARRAY_BOUNDS_CHECK(L_1693, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1694>>8)))))); int32_t L_1695 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1694>>8))))); UInt32U5BU5D_t2133601851* L_1696 = ___ekey; NullCheck(L_1696); IL2CPP_ARRAY_BOUNDS_CHECK(L_1696, ((int32_t)118)); int32_t L_1697 = ((int32_t)118); NullCheck(L_1692); IL2CPP_ARRAY_BOUNDS_CHECK(L_1692, ((int32_t)26)); (L_1692)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)26)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1693)->GetAt(static_cast<il2cpp_array_size_t>(L_1695)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1696)->GetAt(static_cast<il2cpp_array_size_t>(L_1697)))>>8))))))))))); ByteU5BU5D_t58506160* L_1698 = ___outdata; ByteU5BU5D_t58506160* L_1699 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1700 = V_10; NullCheck(L_1699); IL2CPP_ARRAY_BOUNDS_CHECK(L_1699, (((int32_t)((uint8_t)L_1700)))); int32_t L_1701 = (((int32_t)((uint8_t)L_1700))); UInt32U5BU5D_t2133601851* L_1702 = ___ekey; NullCheck(L_1702); IL2CPP_ARRAY_BOUNDS_CHECK(L_1702, ((int32_t)118)); int32_t L_1703 = ((int32_t)118); NullCheck(L_1698); IL2CPP_ARRAY_BOUNDS_CHECK(L_1698, ((int32_t)27)); (L_1698)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)27)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1699)->GetAt(static_cast<il2cpp_array_size_t>(L_1701)))^(int32_t)(((int32_t)((uint8_t)((L_1702)->GetAt(static_cast<il2cpp_array_size_t>(L_1703)))))))))))); ByteU5BU5D_t58506160* L_1704 = ___outdata; ByteU5BU5D_t58506160* L_1705 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1706 = V_15; NullCheck(L_1705); IL2CPP_ARRAY_BOUNDS_CHECK(L_1705, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_1706>>((int32_t)24)))))); uintptr_t L_1707 = (((uintptr_t)((int32_t)((uint32_t)L_1706>>((int32_t)24))))); UInt32U5BU5D_t2133601851* L_1708 = ___ekey; NullCheck(L_1708); IL2CPP_ARRAY_BOUNDS_CHECK(L_1708, ((int32_t)119)); int32_t L_1709 = ((int32_t)119); NullCheck(L_1704); IL2CPP_ARRAY_BOUNDS_CHECK(L_1704, ((int32_t)28)); (L_1704)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)28)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1705)->GetAt(static_cast<il2cpp_array_size_t>(L_1707)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1708)->GetAt(static_cast<il2cpp_array_size_t>(L_1709)))>>((int32_t)24)))))))))))); ByteU5BU5D_t58506160* L_1710 = ___outdata; ByteU5BU5D_t58506160* L_1711 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1712 = V_14; NullCheck(L_1711); IL2CPP_ARRAY_BOUNDS_CHECK(L_1711, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1712>>((int32_t)16))))))); int32_t L_1713 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1712>>((int32_t)16)))))); UInt32U5BU5D_t2133601851* L_1714 = ___ekey; NullCheck(L_1714); IL2CPP_ARRAY_BOUNDS_CHECK(L_1714, ((int32_t)119)); int32_t L_1715 = ((int32_t)119); NullCheck(L_1710); IL2CPP_ARRAY_BOUNDS_CHECK(L_1710, ((int32_t)29)); (L_1710)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)29)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1711)->GetAt(static_cast<il2cpp_array_size_t>(L_1713)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1714)->GetAt(static_cast<il2cpp_array_size_t>(L_1715)))>>((int32_t)16)))))))))))); ByteU5BU5D_t58506160* L_1716 = ___outdata; ByteU5BU5D_t58506160* L_1717 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1718 = V_12; NullCheck(L_1717); IL2CPP_ARRAY_BOUNDS_CHECK(L_1717, (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1718>>8)))))); int32_t L_1719 = (((int32_t)((uint8_t)((int32_t)((uint32_t)L_1718>>8))))); UInt32U5BU5D_t2133601851* L_1720 = ___ekey; NullCheck(L_1720); IL2CPP_ARRAY_BOUNDS_CHECK(L_1720, ((int32_t)119)); int32_t L_1721 = ((int32_t)119); NullCheck(L_1716); IL2CPP_ARRAY_BOUNDS_CHECK(L_1716, ((int32_t)30)); (L_1716)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)30)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1717)->GetAt(static_cast<il2cpp_array_size_t>(L_1719)))^(int32_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_1720)->GetAt(static_cast<il2cpp_array_size_t>(L_1721)))>>8))))))))))); ByteU5BU5D_t58506160* L_1722 = ___outdata; ByteU5BU5D_t58506160* L_1723 = ((RijndaelTransform_t2468220198_StaticFields*)RijndaelTransform_t2468220198_il2cpp_TypeInfo_var->static_fields)->get_iSBox_18(); uint32_t L_1724 = V_11; NullCheck(L_1723); IL2CPP_ARRAY_BOUNDS_CHECK(L_1723, (((int32_t)((uint8_t)L_1724)))); int32_t L_1725 = (((int32_t)((uint8_t)L_1724))); UInt32U5BU5D_t2133601851* L_1726 = ___ekey; NullCheck(L_1726); IL2CPP_ARRAY_BOUNDS_CHECK(L_1726, ((int32_t)119)); int32_t L_1727 = ((int32_t)119); NullCheck(L_1722); IL2CPP_ARRAY_BOUNDS_CHECK(L_1722, ((int32_t)31)); (L_1722)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)31)), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)((L_1723)->GetAt(static_cast<il2cpp_array_size_t>(L_1725)))^(int32_t)(((int32_t)((uint8_t)((L_1726)->GetAt(static_cast<il2cpp_array_size_t>(L_1727)))))))))))); return; } } // System.Void System.Security.Cryptography.RIPEMD160::.ctor() extern "C" void RIPEMD160__ctor_m3115379325 (RIPEMD160_t2080656385 * __this, const MethodInfo* method) { { HashAlgorithm__ctor_m1204858244(__this, /*hidden argument*/NULL); ((HashAlgorithm_t24372250 *)__this)->set_HashSizeValue_1(((int32_t)160)); return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::.ctor() extern TypeInfo* UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t RIPEMD160Managed__ctor_m2275684522_MetadataUsageId; extern "C" void RIPEMD160Managed__ctor_m2275684522 (RIPEMD160Managed_t279301360 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RIPEMD160Managed__ctor_m2275684522_MetadataUsageId); s_Il2CppMethodIntialized = true; } { RIPEMD160__ctor_m3115379325(__this, /*hidden argument*/NULL); __this->set__X_5(((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)16)))); __this->set__HashValue_6(((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)5))); __this->set__ProcessingBuffer_4(((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)64)))); VirtActionInvoker0::Invoke(13 /* System.Void System.Security.Cryptography.RIPEMD160Managed::Initialize() */, __this); return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::Initialize() extern "C" void RIPEMD160Managed_Initialize_m3724410922 (RIPEMD160Managed_t279301360 * __this, const MethodInfo* method) { { UInt32U5BU5D_t2133601851* L_0 = __this->get__HashValue_6(); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint32_t)((int32_t)1732584193)); UInt32U5BU5D_t2133601851* L_1 = __this->get__HashValue_6(); NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 1); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint32_t)((int32_t)-271733879)); UInt32U5BU5D_t2133601851* L_2 = __this->get__HashValue_6(); NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 2); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint32_t)((int32_t)-1732584194)); UInt32U5BU5D_t2133601851* L_3 = __this->get__HashValue_6(); NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 3); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint32_t)((int32_t)271733878)); UInt32U5BU5D_t2133601851* L_4 = __this->get__HashValue_6(); NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 4); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint32_t)((int32_t)-1009589776)); __this->set__Length_7((((int64_t)((int64_t)0)))); __this->set__ProcessingBufferCount_8(0); UInt32U5BU5D_t2133601851* L_5 = __this->get__X_5(); UInt32U5BU5D_t2133601851* L_6 = __this->get__X_5(); NullCheck(L_6); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_5, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length)))), /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_7 = __this->get__ProcessingBuffer_4(); ByteU5BU5D_t58506160* L_8 = __this->get__ProcessingBuffer_4(); NullCheck(L_8); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_7, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_8)->max_length)))), /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::HashCore(System.Byte[],System.Int32,System.Int32) extern "C" void RIPEMD160Managed_HashCore_m1945676962 (RIPEMD160Managed_t279301360 * __this, ByteU5BU5D_t58506160* ___rgb, int32_t ___ibStart, int32_t ___cbSize, const MethodInfo* method) { int32_t V_0 = 0; { ((HashAlgorithm_t24372250 *)__this)->set_State_2(1); uint64_t L_0 = __this->get__Length_7(); int32_t L_1 = ___cbSize; __this->set__Length_7(((int64_t)((int64_t)L_0+(int64_t)(((int64_t)((uint64_t)(((uint32_t)((uint32_t)L_1))))))))); int32_t L_2 = __this->get__ProcessingBufferCount_8(); if (!L_2) { goto IL_008f; } } { int32_t L_3 = ___cbSize; int32_t L_4 = __this->get__ProcessingBufferCount_8(); if ((((int32_t)L_3) >= ((int32_t)((int32_t)((int32_t)((int32_t)64)-(int32_t)L_4))))) { goto IL_0053; } } { ByteU5BU5D_t58506160* L_5 = ___rgb; int32_t L_6 = ___ibStart; ByteU5BU5D_t58506160* L_7 = __this->get__ProcessingBuffer_4(); int32_t L_8 = __this->get__ProcessingBufferCount_8(); int32_t L_9 = ___cbSize; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_5, L_6, (Il2CppArray *)(Il2CppArray *)L_7, L_8, L_9, /*hidden argument*/NULL); int32_t L_10 = __this->get__ProcessingBufferCount_8(); int32_t L_11 = ___cbSize; __this->set__ProcessingBufferCount_8(((int32_t)((int32_t)L_10+(int32_t)L_11))); return; } IL_0053: { int32_t L_12 = __this->get__ProcessingBufferCount_8(); V_0 = ((int32_t)((int32_t)((int32_t)64)-(int32_t)L_12)); ByteU5BU5D_t58506160* L_13 = ___rgb; int32_t L_14 = ___ibStart; ByteU5BU5D_t58506160* L_15 = __this->get__ProcessingBuffer_4(); int32_t L_16 = __this->get__ProcessingBufferCount_8(); int32_t L_17 = V_0; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_13, L_14, (Il2CppArray *)(Il2CppArray *)L_15, L_16, L_17, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_18 = __this->get__ProcessingBuffer_4(); RIPEMD160Managed_ProcessBlock_m2893762534(__this, L_18, 0, /*hidden argument*/NULL); __this->set__ProcessingBufferCount_8(0); int32_t L_19 = ___ibStart; int32_t L_20 = V_0; ___ibStart = ((int32_t)((int32_t)L_19+(int32_t)L_20)); int32_t L_21 = ___cbSize; int32_t L_22 = V_0; ___cbSize = ((int32_t)((int32_t)L_21-(int32_t)L_22)); } IL_008f: { V_0 = 0; goto IL_00a5; } IL_0096: { ByteU5BU5D_t58506160* L_23 = ___rgb; int32_t L_24 = ___ibStart; int32_t L_25 = V_0; RIPEMD160Managed_ProcessBlock_m2893762534(__this, L_23, ((int32_t)((int32_t)L_24+(int32_t)L_25)), /*hidden argument*/NULL); int32_t L_26 = V_0; V_0 = ((int32_t)((int32_t)L_26+(int32_t)((int32_t)64))); } IL_00a5: { int32_t L_27 = V_0; int32_t L_28 = ___cbSize; int32_t L_29 = ___cbSize; if ((((int32_t)L_27) < ((int32_t)((int32_t)((int32_t)L_28-(int32_t)((int32_t)((int32_t)L_29%(int32_t)((int32_t)64)))))))) { goto IL_0096; } } { int32_t L_30 = ___cbSize; if (!((int32_t)((int32_t)L_30%(int32_t)((int32_t)64)))) { goto IL_00dd; } } { ByteU5BU5D_t58506160* L_31 = ___rgb; int32_t L_32 = ___cbSize; int32_t L_33 = ___cbSize; int32_t L_34 = ___ibStart; ByteU5BU5D_t58506160* L_35 = __this->get__ProcessingBuffer_4(); int32_t L_36 = ___cbSize; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_31, ((int32_t)((int32_t)((int32_t)((int32_t)L_32-(int32_t)((int32_t)((int32_t)L_33%(int32_t)((int32_t)64)))))+(int32_t)L_34)), (Il2CppArray *)(Il2CppArray *)L_35, 0, ((int32_t)((int32_t)L_36%(int32_t)((int32_t)64))), /*hidden argument*/NULL); int32_t L_37 = ___cbSize; __this->set__ProcessingBufferCount_8(((int32_t)((int32_t)L_37%(int32_t)((int32_t)64)))); } IL_00dd: { return; } } // System.Byte[] System.Security.Cryptography.RIPEMD160Managed::HashFinal() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern TypeInfo* BitConverter_t3338308296_il2cpp_TypeInfo_var; extern const uint32_t RIPEMD160Managed_HashFinal_m3898709370_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* RIPEMD160Managed_HashFinal_m3898709370 (RIPEMD160Managed_t279301360 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RIPEMD160Managed_HashFinal_m3898709370_MetadataUsageId); s_Il2CppMethodIntialized = true; } ByteU5BU5D_t58506160* V_0 = NULL; int32_t V_1 = 0; int32_t V_2 = 0; { uint64_t L_0 = __this->get__Length_7(); RIPEMD160Managed_CompressFinal_m4280869119(__this, L_0, /*hidden argument*/NULL); V_0 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)20))); IL2CPP_RUNTIME_CLASS_INIT(BitConverter_t3338308296_il2cpp_TypeInfo_var); bool L_1 = ((BitConverter_t3338308296_StaticFields*)BitConverter_t3338308296_il2cpp_TypeInfo_var->static_fields)->get_IsLittleEndian_1(); if (L_1) { goto IL_005e; } } { V_1 = 0; goto IL_0052; } IL_0025: { V_2 = 0; goto IL_0047; } IL_002c: { ByteU5BU5D_t58506160* L_2 = V_0; int32_t L_3 = V_1; int32_t L_4 = V_2; UInt32U5BU5D_t2133601851* L_5 = __this->get__HashValue_6(); int32_t L_6 = V_1; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, L_6); int32_t L_7 = L_6; int32_t L_8 = V_2; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, ((int32_t)((int32_t)((int32_t)((int32_t)L_3*(int32_t)4))+(int32_t)L_4))); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)((int32_t)((int32_t)L_3*(int32_t)4))+(int32_t)L_4))), (uint8_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))>>((int32_t)((int32_t)((int32_t)((int32_t)L_8*(int32_t)8))&(int32_t)((int32_t)31))))))))); int32_t L_9 = V_2; V_2 = ((int32_t)((int32_t)L_9+(int32_t)1)); } IL_0047: { int32_t L_10 = V_2; if ((((int32_t)L_10) < ((int32_t)4))) { goto IL_002c; } } { int32_t L_11 = V_1; V_1 = ((int32_t)((int32_t)L_11+(int32_t)1)); } IL_0052: { int32_t L_12 = V_1; if ((((int32_t)L_12) < ((int32_t)5))) { goto IL_0025; } } { goto IL_006e; } IL_005e: { UInt32U5BU5D_t2133601851* L_13 = __this->get__HashValue_6(); ByteU5BU5D_t58506160* L_14 = V_0; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_13, 0, (Il2CppArray *)(Il2CppArray *)L_14, 0, ((int32_t)20), /*hidden argument*/NULL); } IL_006e: { ByteU5BU5D_t58506160* L_15 = V_0; return L_15; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::Finalize() extern "C" void RIPEMD160Managed_Finalize_m3256301432 (RIPEMD160Managed_t279301360 * __this, const MethodInfo* method) { Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); IL_0000: try { // begin try (depth: 1) VirtActionInvoker1< bool >::Invoke(14 /* System.Void System.Security.Cryptography.HashAlgorithm::Dispose(System.Boolean) */, __this, (bool)0); IL2CPP_LEAVE(0x13, FINALLY_000c); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_000c; } FINALLY_000c: { // begin finally (depth: 1) Object_Finalize_m3027285644(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(12) } // end finally (depth: 1) IL2CPP_CLEANUP(12) { IL2CPP_JUMP_TBL(0x13, IL_0013) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0013: { return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::ProcessBlock(System.Byte[],System.Int32) extern TypeInfo* BitConverter_t3338308296_il2cpp_TypeInfo_var; extern const uint32_t RIPEMD160Managed_ProcessBlock_m2893762534_MetadataUsageId; extern "C" void RIPEMD160Managed_ProcessBlock_m2893762534 (RIPEMD160Managed_t279301360 * __this, ByteU5BU5D_t58506160* ___buffer, int32_t ___offset, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RIPEMD160Managed_ProcessBlock_m2893762534_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { IL2CPP_RUNTIME_CLASS_INIT(BitConverter_t3338308296_il2cpp_TypeInfo_var); bool L_0 = ((BitConverter_t3338308296_StaticFields*)BitConverter_t3338308296_il2cpp_TypeInfo_var->static_fields)->get_IsLittleEndian_1(); if (L_0) { goto IL_0052; } } { V_0 = 0; goto IL_003f; } IL_0011: { UInt32U5BU5D_t2133601851* L_1 = __this->get__X_5(); int32_t L_2 = V_0; ByteU5BU5D_t58506160* L_3 = ___buffer; int32_t L_4 = ___offset; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, L_4); int32_t L_5 = L_4; ByteU5BU5D_t58506160* L_6 = ___buffer; int32_t L_7 = ___offset; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, ((int32_t)((int32_t)L_7+(int32_t)1))); int32_t L_8 = ((int32_t)((int32_t)L_7+(int32_t)1)); ByteU5BU5D_t58506160* L_9 = ___buffer; int32_t L_10 = ___offset; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, ((int32_t)((int32_t)L_10+(int32_t)2))); int32_t L_11 = ((int32_t)((int32_t)L_10+(int32_t)2)); ByteU5BU5D_t58506160* L_12 = ___buffer; int32_t L_13 = ___offset; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, ((int32_t)((int32_t)L_13+(int32_t)3))); int32_t L_14 = ((int32_t)((int32_t)L_13+(int32_t)3)); NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(L_2), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)))|(int32_t)((int32_t)((int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_8)))<<(int32_t)8))))|(int32_t)((int32_t)((int32_t)((L_9)->GetAt(static_cast<il2cpp_array_size_t>(L_11)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_14)))<<(int32_t)((int32_t)24)))))); int32_t L_15 = ___offset; ___offset = ((int32_t)((int32_t)L_15+(int32_t)4)); int32_t L_16 = V_0; V_0 = ((int32_t)((int32_t)L_16+(int32_t)1)); } IL_003f: { int32_t L_17 = V_0; UInt32U5BU5D_t2133601851* L_18 = __this->get__X_5(); NullCheck(L_18); if ((((int32_t)L_17) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_18)->max_length))))))) { goto IL_0011; } } { goto IL_0062; } IL_0052: { ByteU5BU5D_t58506160* L_19 = ___buffer; int32_t L_20 = ___offset; UInt32U5BU5D_t2133601851* L_21 = __this->get__X_5(); Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_19, L_20, (Il2CppArray *)(Il2CppArray *)L_21, 0, ((int32_t)64), /*hidden argument*/NULL); } IL_0062: { RIPEMD160Managed_Compress_m443778492(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::Compress() extern "C" void RIPEMD160Managed_Compress_m443778492 (RIPEMD160Managed_t279301360 * __this, const MethodInfo* method) { uint32_t V_0 = 0; uint32_t V_1 = 0; uint32_t V_2 = 0; uint32_t V_3 = 0; uint32_t V_4 = 0; uint32_t V_5 = 0; uint32_t V_6 = 0; uint32_t V_7 = 0; uint32_t V_8 = 0; uint32_t V_9 = 0; { UInt32U5BU5D_t2133601851* L_0 = __this->get__HashValue_6(); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); int32_t L_1 = 0; V_0 = ((L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_1))); UInt32U5BU5D_t2133601851* L_2 = __this->get__HashValue_6(); NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 1); int32_t L_3 = 1; V_1 = ((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_3))); UInt32U5BU5D_t2133601851* L_4 = __this->get__HashValue_6(); NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 2); int32_t L_5 = 2; V_2 = ((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_5))); UInt32U5BU5D_t2133601851* L_6 = __this->get__HashValue_6(); NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 3); int32_t L_7 = 3; V_3 = ((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_7))); UInt32U5BU5D_t2133601851* L_8 = __this->get__HashValue_6(); NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, 4); int32_t L_9 = 4; V_4 = ((L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_9))); UInt32U5BU5D_t2133601851* L_10 = __this->get__HashValue_6(); NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 0); int32_t L_11 = 0; V_5 = ((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_11))); UInt32U5BU5D_t2133601851* L_12 = __this->get__HashValue_6(); NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, 1); int32_t L_13 = 1; V_6 = ((L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_13))); UInt32U5BU5D_t2133601851* L_14 = __this->get__HashValue_6(); NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, 2); int32_t L_15 = 2; V_7 = ((L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_15))); UInt32U5BU5D_t2133601851* L_16 = __this->get__HashValue_6(); NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, 3); int32_t L_17 = 3; V_8 = ((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_17))); UInt32U5BU5D_t2133601851* L_18 = __this->get__HashValue_6(); NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, 4); int32_t L_19 = 4; V_9 = ((L_18)->GetAt(static_cast<il2cpp_array_size_t>(L_19))); uint32_t L_20 = V_1; uint32_t L_21 = V_3; uint32_t L_22 = V_4; UInt32U5BU5D_t2133601851* L_23 = __this->get__X_5(); NullCheck(L_23); IL2CPP_ARRAY_BOUNDS_CHECK(L_23, 0); int32_t L_24 = 0; RIPEMD160Managed_FF_m1086517667(__this, (&V_0), L_20, (&V_2), L_21, L_22, ((L_23)->GetAt(static_cast<il2cpp_array_size_t>(L_24))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_25 = V_0; uint32_t L_26 = V_2; uint32_t L_27 = V_3; UInt32U5BU5D_t2133601851* L_28 = __this->get__X_5(); NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, 1); int32_t L_29 = 1; RIPEMD160Managed_FF_m1086517667(__this, (&V_4), L_25, (&V_1), L_26, L_27, ((L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_30 = V_4; uint32_t L_31 = V_1; uint32_t L_32 = V_2; UInt32U5BU5D_t2133601851* L_33 = __this->get__X_5(); NullCheck(L_33); IL2CPP_ARRAY_BOUNDS_CHECK(L_33, 2); int32_t L_34 = 2; RIPEMD160Managed_FF_m1086517667(__this, (&V_3), L_30, (&V_0), L_31, L_32, ((L_33)->GetAt(static_cast<il2cpp_array_size_t>(L_34))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_35 = V_3; uint32_t L_36 = V_0; uint32_t L_37 = V_1; UInt32U5BU5D_t2133601851* L_38 = __this->get__X_5(); NullCheck(L_38); IL2CPP_ARRAY_BOUNDS_CHECK(L_38, 3); int32_t L_39 = 3; RIPEMD160Managed_FF_m1086517667(__this, (&V_2), L_35, (&V_4), L_36, L_37, ((L_38)->GetAt(static_cast<il2cpp_array_size_t>(L_39))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_40 = V_2; uint32_t L_41 = V_4; uint32_t L_42 = V_0; UInt32U5BU5D_t2133601851* L_43 = __this->get__X_5(); NullCheck(L_43); IL2CPP_ARRAY_BOUNDS_CHECK(L_43, 4); int32_t L_44 = 4; RIPEMD160Managed_FF_m1086517667(__this, (&V_1), L_40, (&V_3), L_41, L_42, ((L_43)->GetAt(static_cast<il2cpp_array_size_t>(L_44))), 5, /*hidden argument*/NULL); uint32_t L_45 = V_1; uint32_t L_46 = V_3; uint32_t L_47 = V_4; UInt32U5BU5D_t2133601851* L_48 = __this->get__X_5(); NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, 5); int32_t L_49 = 5; RIPEMD160Managed_FF_m1086517667(__this, (&V_0), L_45, (&V_2), L_46, L_47, ((L_48)->GetAt(static_cast<il2cpp_array_size_t>(L_49))), 8, /*hidden argument*/NULL); uint32_t L_50 = V_0; uint32_t L_51 = V_2; uint32_t L_52 = V_3; UInt32U5BU5D_t2133601851* L_53 = __this->get__X_5(); NullCheck(L_53); IL2CPP_ARRAY_BOUNDS_CHECK(L_53, 6); int32_t L_54 = 6; RIPEMD160Managed_FF_m1086517667(__this, (&V_4), L_50, (&V_1), L_51, L_52, ((L_53)->GetAt(static_cast<il2cpp_array_size_t>(L_54))), 7, /*hidden argument*/NULL); uint32_t L_55 = V_4; uint32_t L_56 = V_1; uint32_t L_57 = V_2; UInt32U5BU5D_t2133601851* L_58 = __this->get__X_5(); NullCheck(L_58); IL2CPP_ARRAY_BOUNDS_CHECK(L_58, 7); int32_t L_59 = 7; RIPEMD160Managed_FF_m1086517667(__this, (&V_3), L_55, (&V_0), L_56, L_57, ((L_58)->GetAt(static_cast<il2cpp_array_size_t>(L_59))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_60 = V_3; uint32_t L_61 = V_0; uint32_t L_62 = V_1; UInt32U5BU5D_t2133601851* L_63 = __this->get__X_5(); NullCheck(L_63); IL2CPP_ARRAY_BOUNDS_CHECK(L_63, 8); int32_t L_64 = 8; RIPEMD160Managed_FF_m1086517667(__this, (&V_2), L_60, (&V_4), L_61, L_62, ((L_63)->GetAt(static_cast<il2cpp_array_size_t>(L_64))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_65 = V_2; uint32_t L_66 = V_4; uint32_t L_67 = V_0; UInt32U5BU5D_t2133601851* L_68 = __this->get__X_5(); NullCheck(L_68); IL2CPP_ARRAY_BOUNDS_CHECK(L_68, ((int32_t)9)); int32_t L_69 = ((int32_t)9); RIPEMD160Managed_FF_m1086517667(__this, (&V_1), L_65, (&V_3), L_66, L_67, ((L_68)->GetAt(static_cast<il2cpp_array_size_t>(L_69))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_70 = V_1; uint32_t L_71 = V_3; uint32_t L_72 = V_4; UInt32U5BU5D_t2133601851* L_73 = __this->get__X_5(); NullCheck(L_73); IL2CPP_ARRAY_BOUNDS_CHECK(L_73, ((int32_t)10)); int32_t L_74 = ((int32_t)10); RIPEMD160Managed_FF_m1086517667(__this, (&V_0), L_70, (&V_2), L_71, L_72, ((L_73)->GetAt(static_cast<il2cpp_array_size_t>(L_74))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_75 = V_0; uint32_t L_76 = V_2; uint32_t L_77 = V_3; UInt32U5BU5D_t2133601851* L_78 = __this->get__X_5(); NullCheck(L_78); IL2CPP_ARRAY_BOUNDS_CHECK(L_78, ((int32_t)11)); int32_t L_79 = ((int32_t)11); RIPEMD160Managed_FF_m1086517667(__this, (&V_4), L_75, (&V_1), L_76, L_77, ((L_78)->GetAt(static_cast<il2cpp_array_size_t>(L_79))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_80 = V_4; uint32_t L_81 = V_1; uint32_t L_82 = V_2; UInt32U5BU5D_t2133601851* L_83 = __this->get__X_5(); NullCheck(L_83); IL2CPP_ARRAY_BOUNDS_CHECK(L_83, ((int32_t)12)); int32_t L_84 = ((int32_t)12); RIPEMD160Managed_FF_m1086517667(__this, (&V_3), L_80, (&V_0), L_81, L_82, ((L_83)->GetAt(static_cast<il2cpp_array_size_t>(L_84))), 6, /*hidden argument*/NULL); uint32_t L_85 = V_3; uint32_t L_86 = V_0; uint32_t L_87 = V_1; UInt32U5BU5D_t2133601851* L_88 = __this->get__X_5(); NullCheck(L_88); IL2CPP_ARRAY_BOUNDS_CHECK(L_88, ((int32_t)13)); int32_t L_89 = ((int32_t)13); RIPEMD160Managed_FF_m1086517667(__this, (&V_2), L_85, (&V_4), L_86, L_87, ((L_88)->GetAt(static_cast<il2cpp_array_size_t>(L_89))), 7, /*hidden argument*/NULL); uint32_t L_90 = V_2; uint32_t L_91 = V_4; uint32_t L_92 = V_0; UInt32U5BU5D_t2133601851* L_93 = __this->get__X_5(); NullCheck(L_93); IL2CPP_ARRAY_BOUNDS_CHECK(L_93, ((int32_t)14)); int32_t L_94 = ((int32_t)14); RIPEMD160Managed_FF_m1086517667(__this, (&V_1), L_90, (&V_3), L_91, L_92, ((L_93)->GetAt(static_cast<il2cpp_array_size_t>(L_94))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_95 = V_1; uint32_t L_96 = V_3; uint32_t L_97 = V_4; UInt32U5BU5D_t2133601851* L_98 = __this->get__X_5(); NullCheck(L_98); IL2CPP_ARRAY_BOUNDS_CHECK(L_98, ((int32_t)15)); int32_t L_99 = ((int32_t)15); RIPEMD160Managed_FF_m1086517667(__this, (&V_0), L_95, (&V_2), L_96, L_97, ((L_98)->GetAt(static_cast<il2cpp_array_size_t>(L_99))), 8, /*hidden argument*/NULL); uint32_t L_100 = V_0; uint32_t L_101 = V_2; uint32_t L_102 = V_3; UInt32U5BU5D_t2133601851* L_103 = __this->get__X_5(); NullCheck(L_103); IL2CPP_ARRAY_BOUNDS_CHECK(L_103, 7); int32_t L_104 = 7; RIPEMD160Managed_GG_m1647075779(__this, (&V_4), L_100, (&V_1), L_101, L_102, ((L_103)->GetAt(static_cast<il2cpp_array_size_t>(L_104))), 7, /*hidden argument*/NULL); uint32_t L_105 = V_4; uint32_t L_106 = V_1; uint32_t L_107 = V_2; UInt32U5BU5D_t2133601851* L_108 = __this->get__X_5(); NullCheck(L_108); IL2CPP_ARRAY_BOUNDS_CHECK(L_108, 4); int32_t L_109 = 4; RIPEMD160Managed_GG_m1647075779(__this, (&V_3), L_105, (&V_0), L_106, L_107, ((L_108)->GetAt(static_cast<il2cpp_array_size_t>(L_109))), 6, /*hidden argument*/NULL); uint32_t L_110 = V_3; uint32_t L_111 = V_0; uint32_t L_112 = V_1; UInt32U5BU5D_t2133601851* L_113 = __this->get__X_5(); NullCheck(L_113); IL2CPP_ARRAY_BOUNDS_CHECK(L_113, ((int32_t)13)); int32_t L_114 = ((int32_t)13); RIPEMD160Managed_GG_m1647075779(__this, (&V_2), L_110, (&V_4), L_111, L_112, ((L_113)->GetAt(static_cast<il2cpp_array_size_t>(L_114))), 8, /*hidden argument*/NULL); uint32_t L_115 = V_2; uint32_t L_116 = V_4; uint32_t L_117 = V_0; UInt32U5BU5D_t2133601851* L_118 = __this->get__X_5(); NullCheck(L_118); IL2CPP_ARRAY_BOUNDS_CHECK(L_118, 1); int32_t L_119 = 1; RIPEMD160Managed_GG_m1647075779(__this, (&V_1), L_115, (&V_3), L_116, L_117, ((L_118)->GetAt(static_cast<il2cpp_array_size_t>(L_119))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_120 = V_1; uint32_t L_121 = V_3; uint32_t L_122 = V_4; UInt32U5BU5D_t2133601851* L_123 = __this->get__X_5(); NullCheck(L_123); IL2CPP_ARRAY_BOUNDS_CHECK(L_123, ((int32_t)10)); int32_t L_124 = ((int32_t)10); RIPEMD160Managed_GG_m1647075779(__this, (&V_0), L_120, (&V_2), L_121, L_122, ((L_123)->GetAt(static_cast<il2cpp_array_size_t>(L_124))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_125 = V_0; uint32_t L_126 = V_2; uint32_t L_127 = V_3; UInt32U5BU5D_t2133601851* L_128 = __this->get__X_5(); NullCheck(L_128); IL2CPP_ARRAY_BOUNDS_CHECK(L_128, 6); int32_t L_129 = 6; RIPEMD160Managed_GG_m1647075779(__this, (&V_4), L_125, (&V_1), L_126, L_127, ((L_128)->GetAt(static_cast<il2cpp_array_size_t>(L_129))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_130 = V_4; uint32_t L_131 = V_1; uint32_t L_132 = V_2; UInt32U5BU5D_t2133601851* L_133 = __this->get__X_5(); NullCheck(L_133); IL2CPP_ARRAY_BOUNDS_CHECK(L_133, ((int32_t)15)); int32_t L_134 = ((int32_t)15); RIPEMD160Managed_GG_m1647075779(__this, (&V_3), L_130, (&V_0), L_131, L_132, ((L_133)->GetAt(static_cast<il2cpp_array_size_t>(L_134))), 7, /*hidden argument*/NULL); uint32_t L_135 = V_3; uint32_t L_136 = V_0; uint32_t L_137 = V_1; UInt32U5BU5D_t2133601851* L_138 = __this->get__X_5(); NullCheck(L_138); IL2CPP_ARRAY_BOUNDS_CHECK(L_138, 3); int32_t L_139 = 3; RIPEMD160Managed_GG_m1647075779(__this, (&V_2), L_135, (&V_4), L_136, L_137, ((L_138)->GetAt(static_cast<il2cpp_array_size_t>(L_139))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_140 = V_2; uint32_t L_141 = V_4; uint32_t L_142 = V_0; UInt32U5BU5D_t2133601851* L_143 = __this->get__X_5(); NullCheck(L_143); IL2CPP_ARRAY_BOUNDS_CHECK(L_143, ((int32_t)12)); int32_t L_144 = ((int32_t)12); RIPEMD160Managed_GG_m1647075779(__this, (&V_1), L_140, (&V_3), L_141, L_142, ((L_143)->GetAt(static_cast<il2cpp_array_size_t>(L_144))), 7, /*hidden argument*/NULL); uint32_t L_145 = V_1; uint32_t L_146 = V_3; uint32_t L_147 = V_4; UInt32U5BU5D_t2133601851* L_148 = __this->get__X_5(); NullCheck(L_148); IL2CPP_ARRAY_BOUNDS_CHECK(L_148, 0); int32_t L_149 = 0; RIPEMD160Managed_GG_m1647075779(__this, (&V_0), L_145, (&V_2), L_146, L_147, ((L_148)->GetAt(static_cast<il2cpp_array_size_t>(L_149))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_150 = V_0; uint32_t L_151 = V_2; uint32_t L_152 = V_3; UInt32U5BU5D_t2133601851* L_153 = __this->get__X_5(); NullCheck(L_153); IL2CPP_ARRAY_BOUNDS_CHECK(L_153, ((int32_t)9)); int32_t L_154 = ((int32_t)9); RIPEMD160Managed_GG_m1647075779(__this, (&V_4), L_150, (&V_1), L_151, L_152, ((L_153)->GetAt(static_cast<il2cpp_array_size_t>(L_154))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_155 = V_4; uint32_t L_156 = V_1; uint32_t L_157 = V_2; UInt32U5BU5D_t2133601851* L_158 = __this->get__X_5(); NullCheck(L_158); IL2CPP_ARRAY_BOUNDS_CHECK(L_158, 5); int32_t L_159 = 5; RIPEMD160Managed_GG_m1647075779(__this, (&V_3), L_155, (&V_0), L_156, L_157, ((L_158)->GetAt(static_cast<il2cpp_array_size_t>(L_159))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_160 = V_3; uint32_t L_161 = V_0; uint32_t L_162 = V_1; UInt32U5BU5D_t2133601851* L_163 = __this->get__X_5(); NullCheck(L_163); IL2CPP_ARRAY_BOUNDS_CHECK(L_163, 2); int32_t L_164 = 2; RIPEMD160Managed_GG_m1647075779(__this, (&V_2), L_160, (&V_4), L_161, L_162, ((L_163)->GetAt(static_cast<il2cpp_array_size_t>(L_164))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_165 = V_2; uint32_t L_166 = V_4; uint32_t L_167 = V_0; UInt32U5BU5D_t2133601851* L_168 = __this->get__X_5(); NullCheck(L_168); IL2CPP_ARRAY_BOUNDS_CHECK(L_168, ((int32_t)14)); int32_t L_169 = ((int32_t)14); RIPEMD160Managed_GG_m1647075779(__this, (&V_1), L_165, (&V_3), L_166, L_167, ((L_168)->GetAt(static_cast<il2cpp_array_size_t>(L_169))), 7, /*hidden argument*/NULL); uint32_t L_170 = V_1; uint32_t L_171 = V_3; uint32_t L_172 = V_4; UInt32U5BU5D_t2133601851* L_173 = __this->get__X_5(); NullCheck(L_173); IL2CPP_ARRAY_BOUNDS_CHECK(L_173, ((int32_t)11)); int32_t L_174 = ((int32_t)11); RIPEMD160Managed_GG_m1647075779(__this, (&V_0), L_170, (&V_2), L_171, L_172, ((L_173)->GetAt(static_cast<il2cpp_array_size_t>(L_174))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_175 = V_0; uint32_t L_176 = V_2; uint32_t L_177 = V_3; UInt32U5BU5D_t2133601851* L_178 = __this->get__X_5(); NullCheck(L_178); IL2CPP_ARRAY_BOUNDS_CHECK(L_178, 8); int32_t L_179 = 8; RIPEMD160Managed_GG_m1647075779(__this, (&V_4), L_175, (&V_1), L_176, L_177, ((L_178)->GetAt(static_cast<il2cpp_array_size_t>(L_179))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_180 = V_4; uint32_t L_181 = V_1; uint32_t L_182 = V_2; UInt32U5BU5D_t2133601851* L_183 = __this->get__X_5(); NullCheck(L_183); IL2CPP_ARRAY_BOUNDS_CHECK(L_183, 3); int32_t L_184 = 3; RIPEMD160Managed_HH_m2207633891(__this, (&V_3), L_180, (&V_0), L_181, L_182, ((L_183)->GetAt(static_cast<il2cpp_array_size_t>(L_184))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_185 = V_3; uint32_t L_186 = V_0; uint32_t L_187 = V_1; UInt32U5BU5D_t2133601851* L_188 = __this->get__X_5(); NullCheck(L_188); IL2CPP_ARRAY_BOUNDS_CHECK(L_188, ((int32_t)10)); int32_t L_189 = ((int32_t)10); RIPEMD160Managed_HH_m2207633891(__this, (&V_2), L_185, (&V_4), L_186, L_187, ((L_188)->GetAt(static_cast<il2cpp_array_size_t>(L_189))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_190 = V_2; uint32_t L_191 = V_4; uint32_t L_192 = V_0; UInt32U5BU5D_t2133601851* L_193 = __this->get__X_5(); NullCheck(L_193); IL2CPP_ARRAY_BOUNDS_CHECK(L_193, ((int32_t)14)); int32_t L_194 = ((int32_t)14); RIPEMD160Managed_HH_m2207633891(__this, (&V_1), L_190, (&V_3), L_191, L_192, ((L_193)->GetAt(static_cast<il2cpp_array_size_t>(L_194))), 6, /*hidden argument*/NULL); uint32_t L_195 = V_1; uint32_t L_196 = V_3; uint32_t L_197 = V_4; UInt32U5BU5D_t2133601851* L_198 = __this->get__X_5(); NullCheck(L_198); IL2CPP_ARRAY_BOUNDS_CHECK(L_198, 4); int32_t L_199 = 4; RIPEMD160Managed_HH_m2207633891(__this, (&V_0), L_195, (&V_2), L_196, L_197, ((L_198)->GetAt(static_cast<il2cpp_array_size_t>(L_199))), 7, /*hidden argument*/NULL); uint32_t L_200 = V_0; uint32_t L_201 = V_2; uint32_t L_202 = V_3; UInt32U5BU5D_t2133601851* L_203 = __this->get__X_5(); NullCheck(L_203); IL2CPP_ARRAY_BOUNDS_CHECK(L_203, ((int32_t)9)); int32_t L_204 = ((int32_t)9); RIPEMD160Managed_HH_m2207633891(__this, (&V_4), L_200, (&V_1), L_201, L_202, ((L_203)->GetAt(static_cast<il2cpp_array_size_t>(L_204))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_205 = V_4; uint32_t L_206 = V_1; uint32_t L_207 = V_2; UInt32U5BU5D_t2133601851* L_208 = __this->get__X_5(); NullCheck(L_208); IL2CPP_ARRAY_BOUNDS_CHECK(L_208, ((int32_t)15)); int32_t L_209 = ((int32_t)15); RIPEMD160Managed_HH_m2207633891(__this, (&V_3), L_205, (&V_0), L_206, L_207, ((L_208)->GetAt(static_cast<il2cpp_array_size_t>(L_209))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_210 = V_3; uint32_t L_211 = V_0; uint32_t L_212 = V_1; UInt32U5BU5D_t2133601851* L_213 = __this->get__X_5(); NullCheck(L_213); IL2CPP_ARRAY_BOUNDS_CHECK(L_213, 8); int32_t L_214 = 8; RIPEMD160Managed_HH_m2207633891(__this, (&V_2), L_210, (&V_4), L_211, L_212, ((L_213)->GetAt(static_cast<il2cpp_array_size_t>(L_214))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_215 = V_2; uint32_t L_216 = V_4; uint32_t L_217 = V_0; UInt32U5BU5D_t2133601851* L_218 = __this->get__X_5(); NullCheck(L_218); IL2CPP_ARRAY_BOUNDS_CHECK(L_218, 1); int32_t L_219 = 1; RIPEMD160Managed_HH_m2207633891(__this, (&V_1), L_215, (&V_3), L_216, L_217, ((L_218)->GetAt(static_cast<il2cpp_array_size_t>(L_219))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_220 = V_1; uint32_t L_221 = V_3; uint32_t L_222 = V_4; UInt32U5BU5D_t2133601851* L_223 = __this->get__X_5(); NullCheck(L_223); IL2CPP_ARRAY_BOUNDS_CHECK(L_223, 2); int32_t L_224 = 2; RIPEMD160Managed_HH_m2207633891(__this, (&V_0), L_220, (&V_2), L_221, L_222, ((L_223)->GetAt(static_cast<il2cpp_array_size_t>(L_224))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_225 = V_0; uint32_t L_226 = V_2; uint32_t L_227 = V_3; UInt32U5BU5D_t2133601851* L_228 = __this->get__X_5(); NullCheck(L_228); IL2CPP_ARRAY_BOUNDS_CHECK(L_228, 7); int32_t L_229 = 7; RIPEMD160Managed_HH_m2207633891(__this, (&V_4), L_225, (&V_1), L_226, L_227, ((L_228)->GetAt(static_cast<il2cpp_array_size_t>(L_229))), 8, /*hidden argument*/NULL); uint32_t L_230 = V_4; uint32_t L_231 = V_1; uint32_t L_232 = V_2; UInt32U5BU5D_t2133601851* L_233 = __this->get__X_5(); NullCheck(L_233); IL2CPP_ARRAY_BOUNDS_CHECK(L_233, 0); int32_t L_234 = 0; RIPEMD160Managed_HH_m2207633891(__this, (&V_3), L_230, (&V_0), L_231, L_232, ((L_233)->GetAt(static_cast<il2cpp_array_size_t>(L_234))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_235 = V_3; uint32_t L_236 = V_0; uint32_t L_237 = V_1; UInt32U5BU5D_t2133601851* L_238 = __this->get__X_5(); NullCheck(L_238); IL2CPP_ARRAY_BOUNDS_CHECK(L_238, 6); int32_t L_239 = 6; RIPEMD160Managed_HH_m2207633891(__this, (&V_2), L_235, (&V_4), L_236, L_237, ((L_238)->GetAt(static_cast<il2cpp_array_size_t>(L_239))), 6, /*hidden argument*/NULL); uint32_t L_240 = V_2; uint32_t L_241 = V_4; uint32_t L_242 = V_0; UInt32U5BU5D_t2133601851* L_243 = __this->get__X_5(); NullCheck(L_243); IL2CPP_ARRAY_BOUNDS_CHECK(L_243, ((int32_t)13)); int32_t L_244 = ((int32_t)13); RIPEMD160Managed_HH_m2207633891(__this, (&V_1), L_240, (&V_3), L_241, L_242, ((L_243)->GetAt(static_cast<il2cpp_array_size_t>(L_244))), 5, /*hidden argument*/NULL); uint32_t L_245 = V_1; uint32_t L_246 = V_3; uint32_t L_247 = V_4; UInt32U5BU5D_t2133601851* L_248 = __this->get__X_5(); NullCheck(L_248); IL2CPP_ARRAY_BOUNDS_CHECK(L_248, ((int32_t)11)); int32_t L_249 = ((int32_t)11); RIPEMD160Managed_HH_m2207633891(__this, (&V_0), L_245, (&V_2), L_246, L_247, ((L_248)->GetAt(static_cast<il2cpp_array_size_t>(L_249))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_250 = V_0; uint32_t L_251 = V_2; uint32_t L_252 = V_3; UInt32U5BU5D_t2133601851* L_253 = __this->get__X_5(); NullCheck(L_253); IL2CPP_ARRAY_BOUNDS_CHECK(L_253, 5); int32_t L_254 = 5; RIPEMD160Managed_HH_m2207633891(__this, (&V_4), L_250, (&V_1), L_251, L_252, ((L_253)->GetAt(static_cast<il2cpp_array_size_t>(L_254))), 7, /*hidden argument*/NULL); uint32_t L_255 = V_4; uint32_t L_256 = V_1; uint32_t L_257 = V_2; UInt32U5BU5D_t2133601851* L_258 = __this->get__X_5(); NullCheck(L_258); IL2CPP_ARRAY_BOUNDS_CHECK(L_258, ((int32_t)12)); int32_t L_259 = ((int32_t)12); RIPEMD160Managed_HH_m2207633891(__this, (&V_3), L_255, (&V_0), L_256, L_257, ((L_258)->GetAt(static_cast<il2cpp_array_size_t>(L_259))), 5, /*hidden argument*/NULL); uint32_t L_260 = V_3; uint32_t L_261 = V_0; uint32_t L_262 = V_1; UInt32U5BU5D_t2133601851* L_263 = __this->get__X_5(); NullCheck(L_263); IL2CPP_ARRAY_BOUNDS_CHECK(L_263, 1); int32_t L_264 = 1; RIPEMD160Managed_II_m2768192003(__this, (&V_2), L_260, (&V_4), L_261, L_262, ((L_263)->GetAt(static_cast<il2cpp_array_size_t>(L_264))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_265 = V_2; uint32_t L_266 = V_4; uint32_t L_267 = V_0; UInt32U5BU5D_t2133601851* L_268 = __this->get__X_5(); NullCheck(L_268); IL2CPP_ARRAY_BOUNDS_CHECK(L_268, ((int32_t)9)); int32_t L_269 = ((int32_t)9); RIPEMD160Managed_II_m2768192003(__this, (&V_1), L_265, (&V_3), L_266, L_267, ((L_268)->GetAt(static_cast<il2cpp_array_size_t>(L_269))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_270 = V_1; uint32_t L_271 = V_3; uint32_t L_272 = V_4; UInt32U5BU5D_t2133601851* L_273 = __this->get__X_5(); NullCheck(L_273); IL2CPP_ARRAY_BOUNDS_CHECK(L_273, ((int32_t)11)); int32_t L_274 = ((int32_t)11); RIPEMD160Managed_II_m2768192003(__this, (&V_0), L_270, (&V_2), L_271, L_272, ((L_273)->GetAt(static_cast<il2cpp_array_size_t>(L_274))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_275 = V_0; uint32_t L_276 = V_2; uint32_t L_277 = V_3; UInt32U5BU5D_t2133601851* L_278 = __this->get__X_5(); NullCheck(L_278); IL2CPP_ARRAY_BOUNDS_CHECK(L_278, ((int32_t)10)); int32_t L_279 = ((int32_t)10); RIPEMD160Managed_II_m2768192003(__this, (&V_4), L_275, (&V_1), L_276, L_277, ((L_278)->GetAt(static_cast<il2cpp_array_size_t>(L_279))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_280 = V_4; uint32_t L_281 = V_1; uint32_t L_282 = V_2; UInt32U5BU5D_t2133601851* L_283 = __this->get__X_5(); NullCheck(L_283); IL2CPP_ARRAY_BOUNDS_CHECK(L_283, 0); int32_t L_284 = 0; RIPEMD160Managed_II_m2768192003(__this, (&V_3), L_280, (&V_0), L_281, L_282, ((L_283)->GetAt(static_cast<il2cpp_array_size_t>(L_284))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_285 = V_3; uint32_t L_286 = V_0; uint32_t L_287 = V_1; UInt32U5BU5D_t2133601851* L_288 = __this->get__X_5(); NullCheck(L_288); IL2CPP_ARRAY_BOUNDS_CHECK(L_288, 8); int32_t L_289 = 8; RIPEMD160Managed_II_m2768192003(__this, (&V_2), L_285, (&V_4), L_286, L_287, ((L_288)->GetAt(static_cast<il2cpp_array_size_t>(L_289))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_290 = V_2; uint32_t L_291 = V_4; uint32_t L_292 = V_0; UInt32U5BU5D_t2133601851* L_293 = __this->get__X_5(); NullCheck(L_293); IL2CPP_ARRAY_BOUNDS_CHECK(L_293, ((int32_t)12)); int32_t L_294 = ((int32_t)12); RIPEMD160Managed_II_m2768192003(__this, (&V_1), L_290, (&V_3), L_291, L_292, ((L_293)->GetAt(static_cast<il2cpp_array_size_t>(L_294))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_295 = V_1; uint32_t L_296 = V_3; uint32_t L_297 = V_4; UInt32U5BU5D_t2133601851* L_298 = __this->get__X_5(); NullCheck(L_298); IL2CPP_ARRAY_BOUNDS_CHECK(L_298, 4); int32_t L_299 = 4; RIPEMD160Managed_II_m2768192003(__this, (&V_0), L_295, (&V_2), L_296, L_297, ((L_298)->GetAt(static_cast<il2cpp_array_size_t>(L_299))), 8, /*hidden argument*/NULL); uint32_t L_300 = V_0; uint32_t L_301 = V_2; uint32_t L_302 = V_3; UInt32U5BU5D_t2133601851* L_303 = __this->get__X_5(); NullCheck(L_303); IL2CPP_ARRAY_BOUNDS_CHECK(L_303, ((int32_t)13)); int32_t L_304 = ((int32_t)13); RIPEMD160Managed_II_m2768192003(__this, (&V_4), L_300, (&V_1), L_301, L_302, ((L_303)->GetAt(static_cast<il2cpp_array_size_t>(L_304))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_305 = V_4; uint32_t L_306 = V_1; uint32_t L_307 = V_2; UInt32U5BU5D_t2133601851* L_308 = __this->get__X_5(); NullCheck(L_308); IL2CPP_ARRAY_BOUNDS_CHECK(L_308, 3); int32_t L_309 = 3; RIPEMD160Managed_II_m2768192003(__this, (&V_3), L_305, (&V_0), L_306, L_307, ((L_308)->GetAt(static_cast<il2cpp_array_size_t>(L_309))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_310 = V_3; uint32_t L_311 = V_0; uint32_t L_312 = V_1; UInt32U5BU5D_t2133601851* L_313 = __this->get__X_5(); NullCheck(L_313); IL2CPP_ARRAY_BOUNDS_CHECK(L_313, 7); int32_t L_314 = 7; RIPEMD160Managed_II_m2768192003(__this, (&V_2), L_310, (&V_4), L_311, L_312, ((L_313)->GetAt(static_cast<il2cpp_array_size_t>(L_314))), 5, /*hidden argument*/NULL); uint32_t L_315 = V_2; uint32_t L_316 = V_4; uint32_t L_317 = V_0; UInt32U5BU5D_t2133601851* L_318 = __this->get__X_5(); NullCheck(L_318); IL2CPP_ARRAY_BOUNDS_CHECK(L_318, ((int32_t)15)); int32_t L_319 = ((int32_t)15); RIPEMD160Managed_II_m2768192003(__this, (&V_1), L_315, (&V_3), L_316, L_317, ((L_318)->GetAt(static_cast<il2cpp_array_size_t>(L_319))), 6, /*hidden argument*/NULL); uint32_t L_320 = V_1; uint32_t L_321 = V_3; uint32_t L_322 = V_4; UInt32U5BU5D_t2133601851* L_323 = __this->get__X_5(); NullCheck(L_323); IL2CPP_ARRAY_BOUNDS_CHECK(L_323, ((int32_t)14)); int32_t L_324 = ((int32_t)14); RIPEMD160Managed_II_m2768192003(__this, (&V_0), L_320, (&V_2), L_321, L_322, ((L_323)->GetAt(static_cast<il2cpp_array_size_t>(L_324))), 8, /*hidden argument*/NULL); uint32_t L_325 = V_0; uint32_t L_326 = V_2; uint32_t L_327 = V_3; UInt32U5BU5D_t2133601851* L_328 = __this->get__X_5(); NullCheck(L_328); IL2CPP_ARRAY_BOUNDS_CHECK(L_328, 5); int32_t L_329 = 5; RIPEMD160Managed_II_m2768192003(__this, (&V_4), L_325, (&V_1), L_326, L_327, ((L_328)->GetAt(static_cast<il2cpp_array_size_t>(L_329))), 6, /*hidden argument*/NULL); uint32_t L_330 = V_4; uint32_t L_331 = V_1; uint32_t L_332 = V_2; UInt32U5BU5D_t2133601851* L_333 = __this->get__X_5(); NullCheck(L_333); IL2CPP_ARRAY_BOUNDS_CHECK(L_333, 6); int32_t L_334 = 6; RIPEMD160Managed_II_m2768192003(__this, (&V_3), L_330, (&V_0), L_331, L_332, ((L_333)->GetAt(static_cast<il2cpp_array_size_t>(L_334))), 5, /*hidden argument*/NULL); uint32_t L_335 = V_3; uint32_t L_336 = V_0; uint32_t L_337 = V_1; UInt32U5BU5D_t2133601851* L_338 = __this->get__X_5(); NullCheck(L_338); IL2CPP_ARRAY_BOUNDS_CHECK(L_338, 2); int32_t L_339 = 2; RIPEMD160Managed_II_m2768192003(__this, (&V_2), L_335, (&V_4), L_336, L_337, ((L_338)->GetAt(static_cast<il2cpp_array_size_t>(L_339))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_340 = V_2; uint32_t L_341 = V_4; uint32_t L_342 = V_0; UInt32U5BU5D_t2133601851* L_343 = __this->get__X_5(); NullCheck(L_343); IL2CPP_ARRAY_BOUNDS_CHECK(L_343, 4); int32_t L_344 = 4; RIPEMD160Managed_JJ_m3328750115(__this, (&V_1), L_340, (&V_3), L_341, L_342, ((L_343)->GetAt(static_cast<il2cpp_array_size_t>(L_344))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_345 = V_1; uint32_t L_346 = V_3; uint32_t L_347 = V_4; UInt32U5BU5D_t2133601851* L_348 = __this->get__X_5(); NullCheck(L_348); IL2CPP_ARRAY_BOUNDS_CHECK(L_348, 0); int32_t L_349 = 0; RIPEMD160Managed_JJ_m3328750115(__this, (&V_0), L_345, (&V_2), L_346, L_347, ((L_348)->GetAt(static_cast<il2cpp_array_size_t>(L_349))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_350 = V_0; uint32_t L_351 = V_2; uint32_t L_352 = V_3; UInt32U5BU5D_t2133601851* L_353 = __this->get__X_5(); NullCheck(L_353); IL2CPP_ARRAY_BOUNDS_CHECK(L_353, 5); int32_t L_354 = 5; RIPEMD160Managed_JJ_m3328750115(__this, (&V_4), L_350, (&V_1), L_351, L_352, ((L_353)->GetAt(static_cast<il2cpp_array_size_t>(L_354))), 5, /*hidden argument*/NULL); uint32_t L_355 = V_4; uint32_t L_356 = V_1; uint32_t L_357 = V_2; UInt32U5BU5D_t2133601851* L_358 = __this->get__X_5(); NullCheck(L_358); IL2CPP_ARRAY_BOUNDS_CHECK(L_358, ((int32_t)9)); int32_t L_359 = ((int32_t)9); RIPEMD160Managed_JJ_m3328750115(__this, (&V_3), L_355, (&V_0), L_356, L_357, ((L_358)->GetAt(static_cast<il2cpp_array_size_t>(L_359))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_360 = V_3; uint32_t L_361 = V_0; uint32_t L_362 = V_1; UInt32U5BU5D_t2133601851* L_363 = __this->get__X_5(); NullCheck(L_363); IL2CPP_ARRAY_BOUNDS_CHECK(L_363, 7); int32_t L_364 = 7; RIPEMD160Managed_JJ_m3328750115(__this, (&V_2), L_360, (&V_4), L_361, L_362, ((L_363)->GetAt(static_cast<il2cpp_array_size_t>(L_364))), 6, /*hidden argument*/NULL); uint32_t L_365 = V_2; uint32_t L_366 = V_4; uint32_t L_367 = V_0; UInt32U5BU5D_t2133601851* L_368 = __this->get__X_5(); NullCheck(L_368); IL2CPP_ARRAY_BOUNDS_CHECK(L_368, ((int32_t)12)); int32_t L_369 = ((int32_t)12); RIPEMD160Managed_JJ_m3328750115(__this, (&V_1), L_365, (&V_3), L_366, L_367, ((L_368)->GetAt(static_cast<il2cpp_array_size_t>(L_369))), 8, /*hidden argument*/NULL); uint32_t L_370 = V_1; uint32_t L_371 = V_3; uint32_t L_372 = V_4; UInt32U5BU5D_t2133601851* L_373 = __this->get__X_5(); NullCheck(L_373); IL2CPP_ARRAY_BOUNDS_CHECK(L_373, 2); int32_t L_374 = 2; RIPEMD160Managed_JJ_m3328750115(__this, (&V_0), L_370, (&V_2), L_371, L_372, ((L_373)->GetAt(static_cast<il2cpp_array_size_t>(L_374))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_375 = V_0; uint32_t L_376 = V_2; uint32_t L_377 = V_3; UInt32U5BU5D_t2133601851* L_378 = __this->get__X_5(); NullCheck(L_378); IL2CPP_ARRAY_BOUNDS_CHECK(L_378, ((int32_t)10)); int32_t L_379 = ((int32_t)10); RIPEMD160Managed_JJ_m3328750115(__this, (&V_4), L_375, (&V_1), L_376, L_377, ((L_378)->GetAt(static_cast<il2cpp_array_size_t>(L_379))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_380 = V_4; uint32_t L_381 = V_1; uint32_t L_382 = V_2; UInt32U5BU5D_t2133601851* L_383 = __this->get__X_5(); NullCheck(L_383); IL2CPP_ARRAY_BOUNDS_CHECK(L_383, ((int32_t)14)); int32_t L_384 = ((int32_t)14); RIPEMD160Managed_JJ_m3328750115(__this, (&V_3), L_380, (&V_0), L_381, L_382, ((L_383)->GetAt(static_cast<il2cpp_array_size_t>(L_384))), 5, /*hidden argument*/NULL); uint32_t L_385 = V_3; uint32_t L_386 = V_0; uint32_t L_387 = V_1; UInt32U5BU5D_t2133601851* L_388 = __this->get__X_5(); NullCheck(L_388); IL2CPP_ARRAY_BOUNDS_CHECK(L_388, 1); int32_t L_389 = 1; RIPEMD160Managed_JJ_m3328750115(__this, (&V_2), L_385, (&V_4), L_386, L_387, ((L_388)->GetAt(static_cast<il2cpp_array_size_t>(L_389))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_390 = V_2; uint32_t L_391 = V_4; uint32_t L_392 = V_0; UInt32U5BU5D_t2133601851* L_393 = __this->get__X_5(); NullCheck(L_393); IL2CPP_ARRAY_BOUNDS_CHECK(L_393, 3); int32_t L_394 = 3; RIPEMD160Managed_JJ_m3328750115(__this, (&V_1), L_390, (&V_3), L_391, L_392, ((L_393)->GetAt(static_cast<il2cpp_array_size_t>(L_394))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_395 = V_1; uint32_t L_396 = V_3; uint32_t L_397 = V_4; UInt32U5BU5D_t2133601851* L_398 = __this->get__X_5(); NullCheck(L_398); IL2CPP_ARRAY_BOUNDS_CHECK(L_398, 8); int32_t L_399 = 8; RIPEMD160Managed_JJ_m3328750115(__this, (&V_0), L_395, (&V_2), L_396, L_397, ((L_398)->GetAt(static_cast<il2cpp_array_size_t>(L_399))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_400 = V_0; uint32_t L_401 = V_2; uint32_t L_402 = V_3; UInt32U5BU5D_t2133601851* L_403 = __this->get__X_5(); NullCheck(L_403); IL2CPP_ARRAY_BOUNDS_CHECK(L_403, ((int32_t)11)); int32_t L_404 = ((int32_t)11); RIPEMD160Managed_JJ_m3328750115(__this, (&V_4), L_400, (&V_1), L_401, L_402, ((L_403)->GetAt(static_cast<il2cpp_array_size_t>(L_404))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_405 = V_4; uint32_t L_406 = V_1; uint32_t L_407 = V_2; UInt32U5BU5D_t2133601851* L_408 = __this->get__X_5(); NullCheck(L_408); IL2CPP_ARRAY_BOUNDS_CHECK(L_408, 6); int32_t L_409 = 6; RIPEMD160Managed_JJ_m3328750115(__this, (&V_3), L_405, (&V_0), L_406, L_407, ((L_408)->GetAt(static_cast<il2cpp_array_size_t>(L_409))), 8, /*hidden argument*/NULL); uint32_t L_410 = V_3; uint32_t L_411 = V_0; uint32_t L_412 = V_1; UInt32U5BU5D_t2133601851* L_413 = __this->get__X_5(); NullCheck(L_413); IL2CPP_ARRAY_BOUNDS_CHECK(L_413, ((int32_t)15)); int32_t L_414 = ((int32_t)15); RIPEMD160Managed_JJ_m3328750115(__this, (&V_2), L_410, (&V_4), L_411, L_412, ((L_413)->GetAt(static_cast<il2cpp_array_size_t>(L_414))), 5, /*hidden argument*/NULL); uint32_t L_415 = V_2; uint32_t L_416 = V_4; uint32_t L_417 = V_0; UInt32U5BU5D_t2133601851* L_418 = __this->get__X_5(); NullCheck(L_418); IL2CPP_ARRAY_BOUNDS_CHECK(L_418, ((int32_t)13)); int32_t L_419 = ((int32_t)13); RIPEMD160Managed_JJ_m3328750115(__this, (&V_1), L_415, (&V_3), L_416, L_417, ((L_418)->GetAt(static_cast<il2cpp_array_size_t>(L_419))), 6, /*hidden argument*/NULL); uint32_t L_420 = V_6; uint32_t L_421 = V_8; uint32_t L_422 = V_9; UInt32U5BU5D_t2133601851* L_423 = __this->get__X_5(); NullCheck(L_423); IL2CPP_ARRAY_BOUNDS_CHECK(L_423, 5); int32_t L_424 = 5; RIPEMD160Managed_JJJ_m691428763(__this, (&V_5), L_420, (&V_7), L_421, L_422, ((L_423)->GetAt(static_cast<il2cpp_array_size_t>(L_424))), 8, /*hidden argument*/NULL); uint32_t L_425 = V_5; uint32_t L_426 = V_7; uint32_t L_427 = V_8; UInt32U5BU5D_t2133601851* L_428 = __this->get__X_5(); NullCheck(L_428); IL2CPP_ARRAY_BOUNDS_CHECK(L_428, ((int32_t)14)); int32_t L_429 = ((int32_t)14); RIPEMD160Managed_JJJ_m691428763(__this, (&V_9), L_425, (&V_6), L_426, L_427, ((L_428)->GetAt(static_cast<il2cpp_array_size_t>(L_429))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_430 = V_9; uint32_t L_431 = V_6; uint32_t L_432 = V_7; UInt32U5BU5D_t2133601851* L_433 = __this->get__X_5(); NullCheck(L_433); IL2CPP_ARRAY_BOUNDS_CHECK(L_433, 7); int32_t L_434 = 7; RIPEMD160Managed_JJJ_m691428763(__this, (&V_8), L_430, (&V_5), L_431, L_432, ((L_433)->GetAt(static_cast<il2cpp_array_size_t>(L_434))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_435 = V_8; uint32_t L_436 = V_5; uint32_t L_437 = V_6; UInt32U5BU5D_t2133601851* L_438 = __this->get__X_5(); NullCheck(L_438); IL2CPP_ARRAY_BOUNDS_CHECK(L_438, 0); int32_t L_439 = 0; RIPEMD160Managed_JJJ_m691428763(__this, (&V_7), L_435, (&V_9), L_436, L_437, ((L_438)->GetAt(static_cast<il2cpp_array_size_t>(L_439))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_440 = V_7; uint32_t L_441 = V_9; uint32_t L_442 = V_5; UInt32U5BU5D_t2133601851* L_443 = __this->get__X_5(); NullCheck(L_443); IL2CPP_ARRAY_BOUNDS_CHECK(L_443, ((int32_t)9)); int32_t L_444 = ((int32_t)9); RIPEMD160Managed_JJJ_m691428763(__this, (&V_6), L_440, (&V_8), L_441, L_442, ((L_443)->GetAt(static_cast<il2cpp_array_size_t>(L_444))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_445 = V_6; uint32_t L_446 = V_8; uint32_t L_447 = V_9; UInt32U5BU5D_t2133601851* L_448 = __this->get__X_5(); NullCheck(L_448); IL2CPP_ARRAY_BOUNDS_CHECK(L_448, 2); int32_t L_449 = 2; RIPEMD160Managed_JJJ_m691428763(__this, (&V_5), L_445, (&V_7), L_446, L_447, ((L_448)->GetAt(static_cast<il2cpp_array_size_t>(L_449))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_450 = V_5; uint32_t L_451 = V_7; uint32_t L_452 = V_8; UInt32U5BU5D_t2133601851* L_453 = __this->get__X_5(); NullCheck(L_453); IL2CPP_ARRAY_BOUNDS_CHECK(L_453, ((int32_t)11)); int32_t L_454 = ((int32_t)11); RIPEMD160Managed_JJJ_m691428763(__this, (&V_9), L_450, (&V_6), L_451, L_452, ((L_453)->GetAt(static_cast<il2cpp_array_size_t>(L_454))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_455 = V_9; uint32_t L_456 = V_6; uint32_t L_457 = V_7; UInt32U5BU5D_t2133601851* L_458 = __this->get__X_5(); NullCheck(L_458); IL2CPP_ARRAY_BOUNDS_CHECK(L_458, 4); int32_t L_459 = 4; RIPEMD160Managed_JJJ_m691428763(__this, (&V_8), L_455, (&V_5), L_456, L_457, ((L_458)->GetAt(static_cast<il2cpp_array_size_t>(L_459))), 5, /*hidden argument*/NULL); uint32_t L_460 = V_8; uint32_t L_461 = V_5; uint32_t L_462 = V_6; UInt32U5BU5D_t2133601851* L_463 = __this->get__X_5(); NullCheck(L_463); IL2CPP_ARRAY_BOUNDS_CHECK(L_463, ((int32_t)13)); int32_t L_464 = ((int32_t)13); RIPEMD160Managed_JJJ_m691428763(__this, (&V_7), L_460, (&V_9), L_461, L_462, ((L_463)->GetAt(static_cast<il2cpp_array_size_t>(L_464))), 7, /*hidden argument*/NULL); uint32_t L_465 = V_7; uint32_t L_466 = V_9; uint32_t L_467 = V_5; UInt32U5BU5D_t2133601851* L_468 = __this->get__X_5(); NullCheck(L_468); IL2CPP_ARRAY_BOUNDS_CHECK(L_468, 6); int32_t L_469 = 6; RIPEMD160Managed_JJJ_m691428763(__this, (&V_6), L_465, (&V_8), L_466, L_467, ((L_468)->GetAt(static_cast<il2cpp_array_size_t>(L_469))), 7, /*hidden argument*/NULL); uint32_t L_470 = V_6; uint32_t L_471 = V_8; uint32_t L_472 = V_9; UInt32U5BU5D_t2133601851* L_473 = __this->get__X_5(); NullCheck(L_473); IL2CPP_ARRAY_BOUNDS_CHECK(L_473, ((int32_t)15)); int32_t L_474 = ((int32_t)15); RIPEMD160Managed_JJJ_m691428763(__this, (&V_5), L_470, (&V_7), L_471, L_472, ((L_473)->GetAt(static_cast<il2cpp_array_size_t>(L_474))), 8, /*hidden argument*/NULL); uint32_t L_475 = V_5; uint32_t L_476 = V_7; uint32_t L_477 = V_8; UInt32U5BU5D_t2133601851* L_478 = __this->get__X_5(); NullCheck(L_478); IL2CPP_ARRAY_BOUNDS_CHECK(L_478, 8); int32_t L_479 = 8; RIPEMD160Managed_JJJ_m691428763(__this, (&V_9), L_475, (&V_6), L_476, L_477, ((L_478)->GetAt(static_cast<il2cpp_array_size_t>(L_479))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_480 = V_9; uint32_t L_481 = V_6; uint32_t L_482 = V_7; UInt32U5BU5D_t2133601851* L_483 = __this->get__X_5(); NullCheck(L_483); IL2CPP_ARRAY_BOUNDS_CHECK(L_483, 1); int32_t L_484 = 1; RIPEMD160Managed_JJJ_m691428763(__this, (&V_8), L_480, (&V_5), L_481, L_482, ((L_483)->GetAt(static_cast<il2cpp_array_size_t>(L_484))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_485 = V_8; uint32_t L_486 = V_5; uint32_t L_487 = V_6; UInt32U5BU5D_t2133601851* L_488 = __this->get__X_5(); NullCheck(L_488); IL2CPP_ARRAY_BOUNDS_CHECK(L_488, ((int32_t)10)); int32_t L_489 = ((int32_t)10); RIPEMD160Managed_JJJ_m691428763(__this, (&V_7), L_485, (&V_9), L_486, L_487, ((L_488)->GetAt(static_cast<il2cpp_array_size_t>(L_489))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_490 = V_7; uint32_t L_491 = V_9; uint32_t L_492 = V_5; UInt32U5BU5D_t2133601851* L_493 = __this->get__X_5(); NullCheck(L_493); IL2CPP_ARRAY_BOUNDS_CHECK(L_493, 3); int32_t L_494 = 3; RIPEMD160Managed_JJJ_m691428763(__this, (&V_6), L_490, (&V_8), L_491, L_492, ((L_493)->GetAt(static_cast<il2cpp_array_size_t>(L_494))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_495 = V_6; uint32_t L_496 = V_8; uint32_t L_497 = V_9; UInt32U5BU5D_t2133601851* L_498 = __this->get__X_5(); NullCheck(L_498); IL2CPP_ARRAY_BOUNDS_CHECK(L_498, ((int32_t)12)); int32_t L_499 = ((int32_t)12); RIPEMD160Managed_JJJ_m691428763(__this, (&V_5), L_495, (&V_7), L_496, L_497, ((L_498)->GetAt(static_cast<il2cpp_array_size_t>(L_499))), 6, /*hidden argument*/NULL); uint32_t L_500 = V_5; uint32_t L_501 = V_7; uint32_t L_502 = V_8; UInt32U5BU5D_t2133601851* L_503 = __this->get__X_5(); NullCheck(L_503); IL2CPP_ARRAY_BOUNDS_CHECK(L_503, 6); int32_t L_504 = 6; RIPEMD160Managed_III_m3295051322(__this, (&V_9), L_500, (&V_6), L_501, L_502, ((L_503)->GetAt(static_cast<il2cpp_array_size_t>(L_504))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_505 = V_9; uint32_t L_506 = V_6; uint32_t L_507 = V_7; UInt32U5BU5D_t2133601851* L_508 = __this->get__X_5(); NullCheck(L_508); IL2CPP_ARRAY_BOUNDS_CHECK(L_508, ((int32_t)11)); int32_t L_509 = ((int32_t)11); RIPEMD160Managed_III_m3295051322(__this, (&V_8), L_505, (&V_5), L_506, L_507, ((L_508)->GetAt(static_cast<il2cpp_array_size_t>(L_509))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_510 = V_8; uint32_t L_511 = V_5; uint32_t L_512 = V_6; UInt32U5BU5D_t2133601851* L_513 = __this->get__X_5(); NullCheck(L_513); IL2CPP_ARRAY_BOUNDS_CHECK(L_513, 3); int32_t L_514 = 3; RIPEMD160Managed_III_m3295051322(__this, (&V_7), L_510, (&V_9), L_511, L_512, ((L_513)->GetAt(static_cast<il2cpp_array_size_t>(L_514))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_515 = V_7; uint32_t L_516 = V_9; uint32_t L_517 = V_5; UInt32U5BU5D_t2133601851* L_518 = __this->get__X_5(); NullCheck(L_518); IL2CPP_ARRAY_BOUNDS_CHECK(L_518, 7); int32_t L_519 = 7; RIPEMD160Managed_III_m3295051322(__this, (&V_6), L_515, (&V_8), L_516, L_517, ((L_518)->GetAt(static_cast<il2cpp_array_size_t>(L_519))), 7, /*hidden argument*/NULL); uint32_t L_520 = V_6; uint32_t L_521 = V_8; uint32_t L_522 = V_9; UInt32U5BU5D_t2133601851* L_523 = __this->get__X_5(); NullCheck(L_523); IL2CPP_ARRAY_BOUNDS_CHECK(L_523, 0); int32_t L_524 = 0; RIPEMD160Managed_III_m3295051322(__this, (&V_5), L_520, (&V_7), L_521, L_522, ((L_523)->GetAt(static_cast<il2cpp_array_size_t>(L_524))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_525 = V_5; uint32_t L_526 = V_7; uint32_t L_527 = V_8; UInt32U5BU5D_t2133601851* L_528 = __this->get__X_5(); NullCheck(L_528); IL2CPP_ARRAY_BOUNDS_CHECK(L_528, ((int32_t)13)); int32_t L_529 = ((int32_t)13); RIPEMD160Managed_III_m3295051322(__this, (&V_9), L_525, (&V_6), L_526, L_527, ((L_528)->GetAt(static_cast<il2cpp_array_size_t>(L_529))), 8, /*hidden argument*/NULL); uint32_t L_530 = V_9; uint32_t L_531 = V_6; uint32_t L_532 = V_7; UInt32U5BU5D_t2133601851* L_533 = __this->get__X_5(); NullCheck(L_533); IL2CPP_ARRAY_BOUNDS_CHECK(L_533, 5); int32_t L_534 = 5; RIPEMD160Managed_III_m3295051322(__this, (&V_8), L_530, (&V_5), L_531, L_532, ((L_533)->GetAt(static_cast<il2cpp_array_size_t>(L_534))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_535 = V_8; uint32_t L_536 = V_5; uint32_t L_537 = V_6; UInt32U5BU5D_t2133601851* L_538 = __this->get__X_5(); NullCheck(L_538); IL2CPP_ARRAY_BOUNDS_CHECK(L_538, ((int32_t)10)); int32_t L_539 = ((int32_t)10); RIPEMD160Managed_III_m3295051322(__this, (&V_7), L_535, (&V_9), L_536, L_537, ((L_538)->GetAt(static_cast<il2cpp_array_size_t>(L_539))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_540 = V_7; uint32_t L_541 = V_9; uint32_t L_542 = V_5; UInt32U5BU5D_t2133601851* L_543 = __this->get__X_5(); NullCheck(L_543); IL2CPP_ARRAY_BOUNDS_CHECK(L_543, ((int32_t)14)); int32_t L_544 = ((int32_t)14); RIPEMD160Managed_III_m3295051322(__this, (&V_6), L_540, (&V_8), L_541, L_542, ((L_543)->GetAt(static_cast<il2cpp_array_size_t>(L_544))), 7, /*hidden argument*/NULL); uint32_t L_545 = V_6; uint32_t L_546 = V_8; uint32_t L_547 = V_9; UInt32U5BU5D_t2133601851* L_548 = __this->get__X_5(); NullCheck(L_548); IL2CPP_ARRAY_BOUNDS_CHECK(L_548, ((int32_t)15)); int32_t L_549 = ((int32_t)15); RIPEMD160Managed_III_m3295051322(__this, (&V_5), L_545, (&V_7), L_546, L_547, ((L_548)->GetAt(static_cast<il2cpp_array_size_t>(L_549))), 7, /*hidden argument*/NULL); uint32_t L_550 = V_5; uint32_t L_551 = V_7; uint32_t L_552 = V_8; UInt32U5BU5D_t2133601851* L_553 = __this->get__X_5(); NullCheck(L_553); IL2CPP_ARRAY_BOUNDS_CHECK(L_553, 8); int32_t L_554 = 8; RIPEMD160Managed_III_m3295051322(__this, (&V_9), L_550, (&V_6), L_551, L_552, ((L_553)->GetAt(static_cast<il2cpp_array_size_t>(L_554))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_555 = V_9; uint32_t L_556 = V_6; uint32_t L_557 = V_7; UInt32U5BU5D_t2133601851* L_558 = __this->get__X_5(); NullCheck(L_558); IL2CPP_ARRAY_BOUNDS_CHECK(L_558, ((int32_t)12)); int32_t L_559 = ((int32_t)12); RIPEMD160Managed_III_m3295051322(__this, (&V_8), L_555, (&V_5), L_556, L_557, ((L_558)->GetAt(static_cast<il2cpp_array_size_t>(L_559))), 7, /*hidden argument*/NULL); uint32_t L_560 = V_8; uint32_t L_561 = V_5; uint32_t L_562 = V_6; UInt32U5BU5D_t2133601851* L_563 = __this->get__X_5(); NullCheck(L_563); IL2CPP_ARRAY_BOUNDS_CHECK(L_563, 4); int32_t L_564 = 4; RIPEMD160Managed_III_m3295051322(__this, (&V_7), L_560, (&V_9), L_561, L_562, ((L_563)->GetAt(static_cast<il2cpp_array_size_t>(L_564))), 6, /*hidden argument*/NULL); uint32_t L_565 = V_7; uint32_t L_566 = V_9; uint32_t L_567 = V_5; UInt32U5BU5D_t2133601851* L_568 = __this->get__X_5(); NullCheck(L_568); IL2CPP_ARRAY_BOUNDS_CHECK(L_568, ((int32_t)9)); int32_t L_569 = ((int32_t)9); RIPEMD160Managed_III_m3295051322(__this, (&V_6), L_565, (&V_8), L_566, L_567, ((L_568)->GetAt(static_cast<il2cpp_array_size_t>(L_569))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_570 = V_6; uint32_t L_571 = V_8; uint32_t L_572 = V_9; UInt32U5BU5D_t2133601851* L_573 = __this->get__X_5(); NullCheck(L_573); IL2CPP_ARRAY_BOUNDS_CHECK(L_573, 1); int32_t L_574 = 1; RIPEMD160Managed_III_m3295051322(__this, (&V_5), L_570, (&V_7), L_571, L_572, ((L_573)->GetAt(static_cast<il2cpp_array_size_t>(L_574))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_575 = V_5; uint32_t L_576 = V_7; uint32_t L_577 = V_8; UInt32U5BU5D_t2133601851* L_578 = __this->get__X_5(); NullCheck(L_578); IL2CPP_ARRAY_BOUNDS_CHECK(L_578, 2); int32_t L_579 = 2; RIPEMD160Managed_III_m3295051322(__this, (&V_9), L_575, (&V_6), L_576, L_577, ((L_578)->GetAt(static_cast<il2cpp_array_size_t>(L_579))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_580 = V_9; uint32_t L_581 = V_6; uint32_t L_582 = V_7; UInt32U5BU5D_t2133601851* L_583 = __this->get__X_5(); NullCheck(L_583); IL2CPP_ARRAY_BOUNDS_CHECK(L_583, ((int32_t)15)); int32_t L_584 = ((int32_t)15); RIPEMD160Managed_HHH_m1603706585(__this, (&V_8), L_580, (&V_5), L_581, L_582, ((L_583)->GetAt(static_cast<il2cpp_array_size_t>(L_584))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_585 = V_8; uint32_t L_586 = V_5; uint32_t L_587 = V_6; UInt32U5BU5D_t2133601851* L_588 = __this->get__X_5(); NullCheck(L_588); IL2CPP_ARRAY_BOUNDS_CHECK(L_588, 5); int32_t L_589 = 5; RIPEMD160Managed_HHH_m1603706585(__this, (&V_7), L_585, (&V_9), L_586, L_587, ((L_588)->GetAt(static_cast<il2cpp_array_size_t>(L_589))), 7, /*hidden argument*/NULL); uint32_t L_590 = V_7; uint32_t L_591 = V_9; uint32_t L_592 = V_5; UInt32U5BU5D_t2133601851* L_593 = __this->get__X_5(); NullCheck(L_593); IL2CPP_ARRAY_BOUNDS_CHECK(L_593, 1); int32_t L_594 = 1; RIPEMD160Managed_HHH_m1603706585(__this, (&V_6), L_590, (&V_8), L_591, L_592, ((L_593)->GetAt(static_cast<il2cpp_array_size_t>(L_594))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_595 = V_6; uint32_t L_596 = V_8; uint32_t L_597 = V_9; UInt32U5BU5D_t2133601851* L_598 = __this->get__X_5(); NullCheck(L_598); IL2CPP_ARRAY_BOUNDS_CHECK(L_598, 3); int32_t L_599 = 3; RIPEMD160Managed_HHH_m1603706585(__this, (&V_5), L_595, (&V_7), L_596, L_597, ((L_598)->GetAt(static_cast<il2cpp_array_size_t>(L_599))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_600 = V_5; uint32_t L_601 = V_7; uint32_t L_602 = V_8; UInt32U5BU5D_t2133601851* L_603 = __this->get__X_5(); NullCheck(L_603); IL2CPP_ARRAY_BOUNDS_CHECK(L_603, 7); int32_t L_604 = 7; RIPEMD160Managed_HHH_m1603706585(__this, (&V_9), L_600, (&V_6), L_601, L_602, ((L_603)->GetAt(static_cast<il2cpp_array_size_t>(L_604))), 8, /*hidden argument*/NULL); uint32_t L_605 = V_9; uint32_t L_606 = V_6; uint32_t L_607 = V_7; UInt32U5BU5D_t2133601851* L_608 = __this->get__X_5(); NullCheck(L_608); IL2CPP_ARRAY_BOUNDS_CHECK(L_608, ((int32_t)14)); int32_t L_609 = ((int32_t)14); RIPEMD160Managed_HHH_m1603706585(__this, (&V_8), L_605, (&V_5), L_606, L_607, ((L_608)->GetAt(static_cast<il2cpp_array_size_t>(L_609))), 6, /*hidden argument*/NULL); uint32_t L_610 = V_8; uint32_t L_611 = V_5; uint32_t L_612 = V_6; UInt32U5BU5D_t2133601851* L_613 = __this->get__X_5(); NullCheck(L_613); IL2CPP_ARRAY_BOUNDS_CHECK(L_613, 6); int32_t L_614 = 6; RIPEMD160Managed_HHH_m1603706585(__this, (&V_7), L_610, (&V_9), L_611, L_612, ((L_613)->GetAt(static_cast<il2cpp_array_size_t>(L_614))), 6, /*hidden argument*/NULL); uint32_t L_615 = V_7; uint32_t L_616 = V_9; uint32_t L_617 = V_5; UInt32U5BU5D_t2133601851* L_618 = __this->get__X_5(); NullCheck(L_618); IL2CPP_ARRAY_BOUNDS_CHECK(L_618, ((int32_t)9)); int32_t L_619 = ((int32_t)9); RIPEMD160Managed_HHH_m1603706585(__this, (&V_6), L_615, (&V_8), L_616, L_617, ((L_618)->GetAt(static_cast<il2cpp_array_size_t>(L_619))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_620 = V_6; uint32_t L_621 = V_8; uint32_t L_622 = V_9; UInt32U5BU5D_t2133601851* L_623 = __this->get__X_5(); NullCheck(L_623); IL2CPP_ARRAY_BOUNDS_CHECK(L_623, ((int32_t)11)); int32_t L_624 = ((int32_t)11); RIPEMD160Managed_HHH_m1603706585(__this, (&V_5), L_620, (&V_7), L_621, L_622, ((L_623)->GetAt(static_cast<il2cpp_array_size_t>(L_624))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_625 = V_5; uint32_t L_626 = V_7; uint32_t L_627 = V_8; UInt32U5BU5D_t2133601851* L_628 = __this->get__X_5(); NullCheck(L_628); IL2CPP_ARRAY_BOUNDS_CHECK(L_628, 8); int32_t L_629 = 8; RIPEMD160Managed_HHH_m1603706585(__this, (&V_9), L_625, (&V_6), L_626, L_627, ((L_628)->GetAt(static_cast<il2cpp_array_size_t>(L_629))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_630 = V_9; uint32_t L_631 = V_6; uint32_t L_632 = V_7; UInt32U5BU5D_t2133601851* L_633 = __this->get__X_5(); NullCheck(L_633); IL2CPP_ARRAY_BOUNDS_CHECK(L_633, ((int32_t)12)); int32_t L_634 = ((int32_t)12); RIPEMD160Managed_HHH_m1603706585(__this, (&V_8), L_630, (&V_5), L_631, L_632, ((L_633)->GetAt(static_cast<il2cpp_array_size_t>(L_634))), 5, /*hidden argument*/NULL); uint32_t L_635 = V_8; uint32_t L_636 = V_5; uint32_t L_637 = V_6; UInt32U5BU5D_t2133601851* L_638 = __this->get__X_5(); NullCheck(L_638); IL2CPP_ARRAY_BOUNDS_CHECK(L_638, 2); int32_t L_639 = 2; RIPEMD160Managed_HHH_m1603706585(__this, (&V_7), L_635, (&V_9), L_636, L_637, ((L_638)->GetAt(static_cast<il2cpp_array_size_t>(L_639))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_640 = V_7; uint32_t L_641 = V_9; uint32_t L_642 = V_5; UInt32U5BU5D_t2133601851* L_643 = __this->get__X_5(); NullCheck(L_643); IL2CPP_ARRAY_BOUNDS_CHECK(L_643, ((int32_t)10)); int32_t L_644 = ((int32_t)10); RIPEMD160Managed_HHH_m1603706585(__this, (&V_6), L_640, (&V_8), L_641, L_642, ((L_643)->GetAt(static_cast<il2cpp_array_size_t>(L_644))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_645 = V_6; uint32_t L_646 = V_8; uint32_t L_647 = V_9; UInt32U5BU5D_t2133601851* L_648 = __this->get__X_5(); NullCheck(L_648); IL2CPP_ARRAY_BOUNDS_CHECK(L_648, 0); int32_t L_649 = 0; RIPEMD160Managed_HHH_m1603706585(__this, (&V_5), L_645, (&V_7), L_646, L_647, ((L_648)->GetAt(static_cast<il2cpp_array_size_t>(L_649))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_650 = V_5; uint32_t L_651 = V_7; uint32_t L_652 = V_8; UInt32U5BU5D_t2133601851* L_653 = __this->get__X_5(); NullCheck(L_653); IL2CPP_ARRAY_BOUNDS_CHECK(L_653, 4); int32_t L_654 = 4; RIPEMD160Managed_HHH_m1603706585(__this, (&V_9), L_650, (&V_6), L_651, L_652, ((L_653)->GetAt(static_cast<il2cpp_array_size_t>(L_654))), 7, /*hidden argument*/NULL); uint32_t L_655 = V_9; uint32_t L_656 = V_6; uint32_t L_657 = V_7; UInt32U5BU5D_t2133601851* L_658 = __this->get__X_5(); NullCheck(L_658); IL2CPP_ARRAY_BOUNDS_CHECK(L_658, ((int32_t)13)); int32_t L_659 = ((int32_t)13); RIPEMD160Managed_HHH_m1603706585(__this, (&V_8), L_655, (&V_5), L_656, L_657, ((L_658)->GetAt(static_cast<il2cpp_array_size_t>(L_659))), 5, /*hidden argument*/NULL); uint32_t L_660 = V_8; uint32_t L_661 = V_5; uint32_t L_662 = V_6; UInt32U5BU5D_t2133601851* L_663 = __this->get__X_5(); NullCheck(L_663); IL2CPP_ARRAY_BOUNDS_CHECK(L_663, 8); int32_t L_664 = 8; RIPEMD160Managed_GGG_m4207329144(__this, (&V_7), L_660, (&V_9), L_661, L_662, ((L_663)->GetAt(static_cast<il2cpp_array_size_t>(L_664))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_665 = V_7; uint32_t L_666 = V_9; uint32_t L_667 = V_5; UInt32U5BU5D_t2133601851* L_668 = __this->get__X_5(); NullCheck(L_668); IL2CPP_ARRAY_BOUNDS_CHECK(L_668, 6); int32_t L_669 = 6; RIPEMD160Managed_GGG_m4207329144(__this, (&V_6), L_665, (&V_8), L_666, L_667, ((L_668)->GetAt(static_cast<il2cpp_array_size_t>(L_669))), 5, /*hidden argument*/NULL); uint32_t L_670 = V_6; uint32_t L_671 = V_8; uint32_t L_672 = V_9; UInt32U5BU5D_t2133601851* L_673 = __this->get__X_5(); NullCheck(L_673); IL2CPP_ARRAY_BOUNDS_CHECK(L_673, 4); int32_t L_674 = 4; RIPEMD160Managed_GGG_m4207329144(__this, (&V_5), L_670, (&V_7), L_671, L_672, ((L_673)->GetAt(static_cast<il2cpp_array_size_t>(L_674))), 8, /*hidden argument*/NULL); uint32_t L_675 = V_5; uint32_t L_676 = V_7; uint32_t L_677 = V_8; UInt32U5BU5D_t2133601851* L_678 = __this->get__X_5(); NullCheck(L_678); IL2CPP_ARRAY_BOUNDS_CHECK(L_678, 1); int32_t L_679 = 1; RIPEMD160Managed_GGG_m4207329144(__this, (&V_9), L_675, (&V_6), L_676, L_677, ((L_678)->GetAt(static_cast<il2cpp_array_size_t>(L_679))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_680 = V_9; uint32_t L_681 = V_6; uint32_t L_682 = V_7; UInt32U5BU5D_t2133601851* L_683 = __this->get__X_5(); NullCheck(L_683); IL2CPP_ARRAY_BOUNDS_CHECK(L_683, 3); int32_t L_684 = 3; RIPEMD160Managed_GGG_m4207329144(__this, (&V_8), L_680, (&V_5), L_681, L_682, ((L_683)->GetAt(static_cast<il2cpp_array_size_t>(L_684))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_685 = V_8; uint32_t L_686 = V_5; uint32_t L_687 = V_6; UInt32U5BU5D_t2133601851* L_688 = __this->get__X_5(); NullCheck(L_688); IL2CPP_ARRAY_BOUNDS_CHECK(L_688, ((int32_t)11)); int32_t L_689 = ((int32_t)11); RIPEMD160Managed_GGG_m4207329144(__this, (&V_7), L_685, (&V_9), L_686, L_687, ((L_688)->GetAt(static_cast<il2cpp_array_size_t>(L_689))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_690 = V_7; uint32_t L_691 = V_9; uint32_t L_692 = V_5; UInt32U5BU5D_t2133601851* L_693 = __this->get__X_5(); NullCheck(L_693); IL2CPP_ARRAY_BOUNDS_CHECK(L_693, ((int32_t)15)); int32_t L_694 = ((int32_t)15); RIPEMD160Managed_GGG_m4207329144(__this, (&V_6), L_690, (&V_8), L_691, L_692, ((L_693)->GetAt(static_cast<il2cpp_array_size_t>(L_694))), 6, /*hidden argument*/NULL); uint32_t L_695 = V_6; uint32_t L_696 = V_8; uint32_t L_697 = V_9; UInt32U5BU5D_t2133601851* L_698 = __this->get__X_5(); NullCheck(L_698); IL2CPP_ARRAY_BOUNDS_CHECK(L_698, 0); int32_t L_699 = 0; RIPEMD160Managed_GGG_m4207329144(__this, (&V_5), L_695, (&V_7), L_696, L_697, ((L_698)->GetAt(static_cast<il2cpp_array_size_t>(L_699))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_700 = V_5; uint32_t L_701 = V_7; uint32_t L_702 = V_8; UInt32U5BU5D_t2133601851* L_703 = __this->get__X_5(); NullCheck(L_703); IL2CPP_ARRAY_BOUNDS_CHECK(L_703, 5); int32_t L_704 = 5; RIPEMD160Managed_GGG_m4207329144(__this, (&V_9), L_700, (&V_6), L_701, L_702, ((L_703)->GetAt(static_cast<il2cpp_array_size_t>(L_704))), 6, /*hidden argument*/NULL); uint32_t L_705 = V_9; uint32_t L_706 = V_6; uint32_t L_707 = V_7; UInt32U5BU5D_t2133601851* L_708 = __this->get__X_5(); NullCheck(L_708); IL2CPP_ARRAY_BOUNDS_CHECK(L_708, ((int32_t)12)); int32_t L_709 = ((int32_t)12); RIPEMD160Managed_GGG_m4207329144(__this, (&V_8), L_705, (&V_5), L_706, L_707, ((L_708)->GetAt(static_cast<il2cpp_array_size_t>(L_709))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_710 = V_8; uint32_t L_711 = V_5; uint32_t L_712 = V_6; UInt32U5BU5D_t2133601851* L_713 = __this->get__X_5(); NullCheck(L_713); IL2CPP_ARRAY_BOUNDS_CHECK(L_713, 2); int32_t L_714 = 2; RIPEMD160Managed_GGG_m4207329144(__this, (&V_7), L_710, (&V_9), L_711, L_712, ((L_713)->GetAt(static_cast<il2cpp_array_size_t>(L_714))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_715 = V_7; uint32_t L_716 = V_9; uint32_t L_717 = V_5; UInt32U5BU5D_t2133601851* L_718 = __this->get__X_5(); NullCheck(L_718); IL2CPP_ARRAY_BOUNDS_CHECK(L_718, ((int32_t)13)); int32_t L_719 = ((int32_t)13); RIPEMD160Managed_GGG_m4207329144(__this, (&V_6), L_715, (&V_8), L_716, L_717, ((L_718)->GetAt(static_cast<il2cpp_array_size_t>(L_719))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_720 = V_6; uint32_t L_721 = V_8; uint32_t L_722 = V_9; UInt32U5BU5D_t2133601851* L_723 = __this->get__X_5(); NullCheck(L_723); IL2CPP_ARRAY_BOUNDS_CHECK(L_723, ((int32_t)9)); int32_t L_724 = ((int32_t)9); RIPEMD160Managed_GGG_m4207329144(__this, (&V_5), L_720, (&V_7), L_721, L_722, ((L_723)->GetAt(static_cast<il2cpp_array_size_t>(L_724))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_725 = V_5; uint32_t L_726 = V_7; uint32_t L_727 = V_8; UInt32U5BU5D_t2133601851* L_728 = __this->get__X_5(); NullCheck(L_728); IL2CPP_ARRAY_BOUNDS_CHECK(L_728, 7); int32_t L_729 = 7; RIPEMD160Managed_GGG_m4207329144(__this, (&V_9), L_725, (&V_6), L_726, L_727, ((L_728)->GetAt(static_cast<il2cpp_array_size_t>(L_729))), 5, /*hidden argument*/NULL); uint32_t L_730 = V_9; uint32_t L_731 = V_6; uint32_t L_732 = V_7; UInt32U5BU5D_t2133601851* L_733 = __this->get__X_5(); NullCheck(L_733); IL2CPP_ARRAY_BOUNDS_CHECK(L_733, ((int32_t)10)); int32_t L_734 = ((int32_t)10); RIPEMD160Managed_GGG_m4207329144(__this, (&V_8), L_730, (&V_5), L_731, L_732, ((L_733)->GetAt(static_cast<il2cpp_array_size_t>(L_734))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_735 = V_8; uint32_t L_736 = V_5; uint32_t L_737 = V_6; UInt32U5BU5D_t2133601851* L_738 = __this->get__X_5(); NullCheck(L_738); IL2CPP_ARRAY_BOUNDS_CHECK(L_738, ((int32_t)14)); int32_t L_739 = ((int32_t)14); RIPEMD160Managed_GGG_m4207329144(__this, (&V_7), L_735, (&V_9), L_736, L_737, ((L_738)->GetAt(static_cast<il2cpp_array_size_t>(L_739))), 8, /*hidden argument*/NULL); uint32_t L_740 = V_7; uint32_t L_741 = V_9; uint32_t L_742 = V_5; UInt32U5BU5D_t2133601851* L_743 = __this->get__X_5(); NullCheck(L_743); IL2CPP_ARRAY_BOUNDS_CHECK(L_743, ((int32_t)12)); int32_t L_744 = ((int32_t)12); RIPEMD160Managed_FFF_m2515984407(__this, (&V_6), L_740, (&V_8), L_741, L_742, ((L_743)->GetAt(static_cast<il2cpp_array_size_t>(L_744))), 8, /*hidden argument*/NULL); uint32_t L_745 = V_6; uint32_t L_746 = V_8; uint32_t L_747 = V_9; UInt32U5BU5D_t2133601851* L_748 = __this->get__X_5(); NullCheck(L_748); IL2CPP_ARRAY_BOUNDS_CHECK(L_748, ((int32_t)15)); int32_t L_749 = ((int32_t)15); RIPEMD160Managed_FFF_m2515984407(__this, (&V_5), L_745, (&V_7), L_746, L_747, ((L_748)->GetAt(static_cast<il2cpp_array_size_t>(L_749))), 5, /*hidden argument*/NULL); uint32_t L_750 = V_5; uint32_t L_751 = V_7; uint32_t L_752 = V_8; UInt32U5BU5D_t2133601851* L_753 = __this->get__X_5(); NullCheck(L_753); IL2CPP_ARRAY_BOUNDS_CHECK(L_753, ((int32_t)10)); int32_t L_754 = ((int32_t)10); RIPEMD160Managed_FFF_m2515984407(__this, (&V_9), L_750, (&V_6), L_751, L_752, ((L_753)->GetAt(static_cast<il2cpp_array_size_t>(L_754))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_755 = V_9; uint32_t L_756 = V_6; uint32_t L_757 = V_7; UInt32U5BU5D_t2133601851* L_758 = __this->get__X_5(); NullCheck(L_758); IL2CPP_ARRAY_BOUNDS_CHECK(L_758, 4); int32_t L_759 = 4; RIPEMD160Managed_FFF_m2515984407(__this, (&V_8), L_755, (&V_5), L_756, L_757, ((L_758)->GetAt(static_cast<il2cpp_array_size_t>(L_759))), ((int32_t)9), /*hidden argument*/NULL); uint32_t L_760 = V_8; uint32_t L_761 = V_5; uint32_t L_762 = V_6; UInt32U5BU5D_t2133601851* L_763 = __this->get__X_5(); NullCheck(L_763); IL2CPP_ARRAY_BOUNDS_CHECK(L_763, 1); int32_t L_764 = 1; RIPEMD160Managed_FFF_m2515984407(__this, (&V_7), L_760, (&V_9), L_761, L_762, ((L_763)->GetAt(static_cast<il2cpp_array_size_t>(L_764))), ((int32_t)12), /*hidden argument*/NULL); uint32_t L_765 = V_7; uint32_t L_766 = V_9; uint32_t L_767 = V_5; UInt32U5BU5D_t2133601851* L_768 = __this->get__X_5(); NullCheck(L_768); IL2CPP_ARRAY_BOUNDS_CHECK(L_768, 5); int32_t L_769 = 5; RIPEMD160Managed_FFF_m2515984407(__this, (&V_6), L_765, (&V_8), L_766, L_767, ((L_768)->GetAt(static_cast<il2cpp_array_size_t>(L_769))), 5, /*hidden argument*/NULL); uint32_t L_770 = V_6; uint32_t L_771 = V_8; uint32_t L_772 = V_9; UInt32U5BU5D_t2133601851* L_773 = __this->get__X_5(); NullCheck(L_773); IL2CPP_ARRAY_BOUNDS_CHECK(L_773, 8); int32_t L_774 = 8; RIPEMD160Managed_FFF_m2515984407(__this, (&V_5), L_770, (&V_7), L_771, L_772, ((L_773)->GetAt(static_cast<il2cpp_array_size_t>(L_774))), ((int32_t)14), /*hidden argument*/NULL); uint32_t L_775 = V_5; uint32_t L_776 = V_7; uint32_t L_777 = V_8; UInt32U5BU5D_t2133601851* L_778 = __this->get__X_5(); NullCheck(L_778); IL2CPP_ARRAY_BOUNDS_CHECK(L_778, 7); int32_t L_779 = 7; RIPEMD160Managed_FFF_m2515984407(__this, (&V_9), L_775, (&V_6), L_776, L_777, ((L_778)->GetAt(static_cast<il2cpp_array_size_t>(L_779))), 6, /*hidden argument*/NULL); uint32_t L_780 = V_9; uint32_t L_781 = V_6; uint32_t L_782 = V_7; UInt32U5BU5D_t2133601851* L_783 = __this->get__X_5(); NullCheck(L_783); IL2CPP_ARRAY_BOUNDS_CHECK(L_783, 6); int32_t L_784 = 6; RIPEMD160Managed_FFF_m2515984407(__this, (&V_8), L_780, (&V_5), L_781, L_782, ((L_783)->GetAt(static_cast<il2cpp_array_size_t>(L_784))), 8, /*hidden argument*/NULL); uint32_t L_785 = V_8; uint32_t L_786 = V_5; uint32_t L_787 = V_6; UInt32U5BU5D_t2133601851* L_788 = __this->get__X_5(); NullCheck(L_788); IL2CPP_ARRAY_BOUNDS_CHECK(L_788, 2); int32_t L_789 = 2; RIPEMD160Managed_FFF_m2515984407(__this, (&V_7), L_785, (&V_9), L_786, L_787, ((L_788)->GetAt(static_cast<il2cpp_array_size_t>(L_789))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_790 = V_7; uint32_t L_791 = V_9; uint32_t L_792 = V_5; UInt32U5BU5D_t2133601851* L_793 = __this->get__X_5(); NullCheck(L_793); IL2CPP_ARRAY_BOUNDS_CHECK(L_793, ((int32_t)13)); int32_t L_794 = ((int32_t)13); RIPEMD160Managed_FFF_m2515984407(__this, (&V_6), L_790, (&V_8), L_791, L_792, ((L_793)->GetAt(static_cast<il2cpp_array_size_t>(L_794))), 6, /*hidden argument*/NULL); uint32_t L_795 = V_6; uint32_t L_796 = V_8; uint32_t L_797 = V_9; UInt32U5BU5D_t2133601851* L_798 = __this->get__X_5(); NullCheck(L_798); IL2CPP_ARRAY_BOUNDS_CHECK(L_798, ((int32_t)14)); int32_t L_799 = ((int32_t)14); RIPEMD160Managed_FFF_m2515984407(__this, (&V_5), L_795, (&V_7), L_796, L_797, ((L_798)->GetAt(static_cast<il2cpp_array_size_t>(L_799))), 5, /*hidden argument*/NULL); uint32_t L_800 = V_5; uint32_t L_801 = V_7; uint32_t L_802 = V_8; UInt32U5BU5D_t2133601851* L_803 = __this->get__X_5(); NullCheck(L_803); IL2CPP_ARRAY_BOUNDS_CHECK(L_803, 0); int32_t L_804 = 0; RIPEMD160Managed_FFF_m2515984407(__this, (&V_9), L_800, (&V_6), L_801, L_802, ((L_803)->GetAt(static_cast<il2cpp_array_size_t>(L_804))), ((int32_t)15), /*hidden argument*/NULL); uint32_t L_805 = V_9; uint32_t L_806 = V_6; uint32_t L_807 = V_7; UInt32U5BU5D_t2133601851* L_808 = __this->get__X_5(); NullCheck(L_808); IL2CPP_ARRAY_BOUNDS_CHECK(L_808, 3); int32_t L_809 = 3; RIPEMD160Managed_FFF_m2515984407(__this, (&V_8), L_805, (&V_5), L_806, L_807, ((L_808)->GetAt(static_cast<il2cpp_array_size_t>(L_809))), ((int32_t)13), /*hidden argument*/NULL); uint32_t L_810 = V_8; uint32_t L_811 = V_5; uint32_t L_812 = V_6; UInt32U5BU5D_t2133601851* L_813 = __this->get__X_5(); NullCheck(L_813); IL2CPP_ARRAY_BOUNDS_CHECK(L_813, ((int32_t)9)); int32_t L_814 = ((int32_t)9); RIPEMD160Managed_FFF_m2515984407(__this, (&V_7), L_810, (&V_9), L_811, L_812, ((L_813)->GetAt(static_cast<il2cpp_array_size_t>(L_814))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_815 = V_7; uint32_t L_816 = V_9; uint32_t L_817 = V_5; UInt32U5BU5D_t2133601851* L_818 = __this->get__X_5(); NullCheck(L_818); IL2CPP_ARRAY_BOUNDS_CHECK(L_818, ((int32_t)11)); int32_t L_819 = ((int32_t)11); RIPEMD160Managed_FFF_m2515984407(__this, (&V_6), L_815, (&V_8), L_816, L_817, ((L_818)->GetAt(static_cast<il2cpp_array_size_t>(L_819))), ((int32_t)11), /*hidden argument*/NULL); uint32_t L_820 = V_8; uint32_t L_821 = V_2; UInt32U5BU5D_t2133601851* L_822 = __this->get__HashValue_6(); NullCheck(L_822); IL2CPP_ARRAY_BOUNDS_CHECK(L_822, 1); int32_t L_823 = 1; V_8 = ((int32_t)((int32_t)L_820+(int32_t)((int32_t)((int32_t)L_821+(int32_t)((L_822)->GetAt(static_cast<il2cpp_array_size_t>(L_823))))))); UInt32U5BU5D_t2133601851* L_824 = __this->get__HashValue_6(); UInt32U5BU5D_t2133601851* L_825 = __this->get__HashValue_6(); NullCheck(L_825); IL2CPP_ARRAY_BOUNDS_CHECK(L_825, 2); int32_t L_826 = 2; uint32_t L_827 = V_3; uint32_t L_828 = V_9; NullCheck(L_824); IL2CPP_ARRAY_BOUNDS_CHECK(L_824, 1); (L_824)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_825)->GetAt(static_cast<il2cpp_array_size_t>(L_826)))+(int32_t)L_827))+(int32_t)L_828))); UInt32U5BU5D_t2133601851* L_829 = __this->get__HashValue_6(); UInt32U5BU5D_t2133601851* L_830 = __this->get__HashValue_6(); NullCheck(L_830); IL2CPP_ARRAY_BOUNDS_CHECK(L_830, 3); int32_t L_831 = 3; uint32_t L_832 = V_4; uint32_t L_833 = V_5; NullCheck(L_829); IL2CPP_ARRAY_BOUNDS_CHECK(L_829, 2); (L_829)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_830)->GetAt(static_cast<il2cpp_array_size_t>(L_831)))+(int32_t)L_832))+(int32_t)L_833))); UInt32U5BU5D_t2133601851* L_834 = __this->get__HashValue_6(); UInt32U5BU5D_t2133601851* L_835 = __this->get__HashValue_6(); NullCheck(L_835); IL2CPP_ARRAY_BOUNDS_CHECK(L_835, 4); int32_t L_836 = 4; uint32_t L_837 = V_0; uint32_t L_838 = V_6; NullCheck(L_834); IL2CPP_ARRAY_BOUNDS_CHECK(L_834, 3); (L_834)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_835)->GetAt(static_cast<il2cpp_array_size_t>(L_836)))+(int32_t)L_837))+(int32_t)L_838))); UInt32U5BU5D_t2133601851* L_839 = __this->get__HashValue_6(); UInt32U5BU5D_t2133601851* L_840 = __this->get__HashValue_6(); NullCheck(L_840); IL2CPP_ARRAY_BOUNDS_CHECK(L_840, 0); int32_t L_841 = 0; uint32_t L_842 = V_1; uint32_t L_843 = V_7; NullCheck(L_839); IL2CPP_ARRAY_BOUNDS_CHECK(L_839, 4); (L_839)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_840)->GetAt(static_cast<il2cpp_array_size_t>(L_841)))+(int32_t)L_842))+(int32_t)L_843))); UInt32U5BU5D_t2133601851* L_844 = __this->get__HashValue_6(); uint32_t L_845 = V_8; NullCheck(L_844); IL2CPP_ARRAY_BOUNDS_CHECK(L_844, 0); (L_844)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint32_t)L_845); return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::CompressFinal(System.UInt64) extern "C" void RIPEMD160Managed_CompressFinal_m4280869119 (RIPEMD160Managed_t279301360 * __this, uint64_t ___length, const MethodInfo* method) { uint32_t V_0 = 0; uint32_t V_1 = 0; int32_t V_2 = 0; uint32_t V_3 = 0; { uint64_t L_0 = ___length; V_0 = (((int32_t)((uint32_t)((int64_t)((int64_t)L_0&(int64_t)(((int64_t)((uint64_t)(((uint32_t)((uint32_t)(-1)))))))))))); uint64_t L_1 = ___length; V_1 = (((int32_t)((uint32_t)((int64_t)((uint64_t)L_1>>((int32_t)32)))))); UInt32U5BU5D_t2133601851* L_2 = __this->get__X_5(); UInt32U5BU5D_t2133601851* L_3 = __this->get__X_5(); NullCheck(L_3); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_2, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_3)->max_length)))), /*hidden argument*/NULL); V_2 = 0; V_3 = 0; goto IL_0058; } IL_0029: { UInt32U5BU5D_t2133601851* L_4 = __this->get__X_5(); uint32_t L_5 = V_3; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_5>>2))))); uint32_t* L_6 = ((L_4)->GetAddressAt(static_cast<il2cpp_array_size_t>((il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((uint32_t)L_5>>2))))))); ByteU5BU5D_t58506160* L_7 = __this->get__ProcessingBuffer_4(); int32_t L_8 = V_2; int32_t L_9 = L_8; V_2 = ((int32_t)((int32_t)L_9+(int32_t)1)); NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, L_9); int32_t L_10 = L_9; uint32_t L_11 = V_3; *((int32_t*)(L_6)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_6))^(int32_t)((int32_t)((int32_t)((L_7)->GetAt(static_cast<il2cpp_array_size_t>(L_10)))<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)8*(int32_t)((int32_t)((int32_t)L_11&(int32_t)3))))&(int32_t)((int32_t)31)))&(int32_t)((int32_t)31))))))); uint32_t L_12 = V_3; V_3 = ((int32_t)((int32_t)L_12+(int32_t)1)); } IL_0058: { uint32_t L_13 = V_3; uint32_t L_14 = V_0; if ((!(((uint32_t)L_13) >= ((uint32_t)((int32_t)((int32_t)L_14&(int32_t)((int32_t)63))))))) { goto IL_0029; } } { UInt32U5BU5D_t2133601851* L_15 = __this->get__X_5(); uint32_t L_16 = V_0; NullCheck(L_15); IL2CPP_ARRAY_BOUNDS_CHECK(L_15, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_16>>2))&(int32_t)((int32_t)15)))))); uint32_t* L_17 = ((L_15)->GetAddressAt(static_cast<il2cpp_array_size_t>((il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_16>>2))&(int32_t)((int32_t)15)))))))); uint32_t L_18 = V_0; *((int32_t*)(L_17)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_17))^(int32_t)((int32_t)((int32_t)1<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)8*(int32_t)((int32_t)((int32_t)L_18&(int32_t)3))))+(int32_t)7))&(int32_t)((int32_t)31)))&(int32_t)((int32_t)31))))))); uint32_t L_19 = V_0; if ((!(((uint32_t)((int32_t)((int32_t)L_19&(int32_t)((int32_t)63)))) > ((uint32_t)((int32_t)55))))) { goto IL_00ac; } } { RIPEMD160Managed_Compress_m443778492(__this, /*hidden argument*/NULL); UInt32U5BU5D_t2133601851* L_20 = __this->get__X_5(); UInt32U5BU5D_t2133601851* L_21 = __this->get__X_5(); NullCheck(L_21); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_20, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_21)->max_length)))), /*hidden argument*/NULL); } IL_00ac: { UInt32U5BU5D_t2133601851* L_22 = __this->get__X_5(); uint32_t L_23 = V_0; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, ((int32_t)14)); (L_22)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (uint32_t)((int32_t)((int32_t)L_23<<(int32_t)3))); UInt32U5BU5D_t2133601851* L_24 = __this->get__X_5(); uint32_t L_25 = V_0; uint32_t L_26 = V_1; NullCheck(L_24); IL2CPP_ARRAY_BOUNDS_CHECK(L_24, ((int32_t)15)); (L_24)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (uint32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_25>>((int32_t)29)))|(int32_t)((int32_t)((int32_t)L_26<<(int32_t)3))))); RIPEMD160Managed_Compress_m443778492(__this, /*hidden argument*/NULL); return; } } // System.UInt32 System.Security.Cryptography.RIPEMD160Managed::ROL(System.UInt32,System.Int32) extern "C" uint32_t RIPEMD160Managed_ROL_m3397150607 (RIPEMD160Managed_t279301360 * __this, uint32_t ___x, int32_t ___n, const MethodInfo* method) { { uint32_t L_0 = ___x; int32_t L_1 = ___n; uint32_t L_2 = ___x; int32_t L_3 = ___n; return ((int32_t)((int32_t)((int32_t)((int32_t)L_0<<(int32_t)((int32_t)((int32_t)L_1&(int32_t)((int32_t)31)))))|(int32_t)((int32_t)((uint32_t)L_2>>((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)32)-(int32_t)L_3))&(int32_t)((int32_t)31))))))); } } // System.UInt32 System.Security.Cryptography.RIPEMD160Managed::F(System.UInt32,System.UInt32,System.UInt32) extern "C" uint32_t RIPEMD160Managed_F_m1849119801 (RIPEMD160Managed_t279301360 * __this, uint32_t ___x, uint32_t ___y, uint32_t ___z, const MethodInfo* method) { { uint32_t L_0 = ___x; uint32_t L_1 = ___y; uint32_t L_2 = ___z; return ((int32_t)((int32_t)((int32_t)((int32_t)L_0^(int32_t)L_1))^(int32_t)L_2)); } } // System.UInt32 System.Security.Cryptography.RIPEMD160Managed::G(System.UInt32,System.UInt32,System.UInt32) extern "C" uint32_t RIPEMD160Managed_G_m824425880 (RIPEMD160Managed_t279301360 * __this, uint32_t ___x, uint32_t ___y, uint32_t ___z, const MethodInfo* method) { { uint32_t L_0 = ___x; uint32_t L_1 = ___y; uint32_t L_2 = ___x; uint32_t L_3 = ___z; return ((int32_t)((int32_t)((int32_t)((int32_t)L_0&(int32_t)L_1))|(int32_t)((int32_t)((int32_t)((~L_2))&(int32_t)L_3)))); } } // System.UInt32 System.Security.Cryptography.RIPEMD160Managed::H(System.UInt32,System.UInt32,System.UInt32) extern "C" uint32_t RIPEMD160Managed_H_m4094699255 (RIPEMD160Managed_t279301360 * __this, uint32_t ___x, uint32_t ___y, uint32_t ___z, const MethodInfo* method) { { uint32_t L_0 = ___x; uint32_t L_1 = ___y; uint32_t L_2 = ___z; return ((int32_t)((int32_t)((int32_t)((int32_t)L_0|(int32_t)((~L_1))))^(int32_t)L_2)); } } // System.UInt32 System.Security.Cryptography.RIPEMD160Managed::I(System.UInt32,System.UInt32,System.UInt32) extern "C" uint32_t RIPEMD160Managed_I_m3070005334 (RIPEMD160Managed_t279301360 * __this, uint32_t ___x, uint32_t ___y, uint32_t ___z, const MethodInfo* method) { { uint32_t L_0 = ___x; uint32_t L_1 = ___z; uint32_t L_2 = ___y; uint32_t L_3 = ___z; return ((int32_t)((int32_t)((int32_t)((int32_t)L_0&(int32_t)L_1))|(int32_t)((int32_t)((int32_t)L_2&(int32_t)((~L_3)))))); } } // System.UInt32 System.Security.Cryptography.RIPEMD160Managed::J(System.UInt32,System.UInt32,System.UInt32) extern "C" uint32_t RIPEMD160Managed_J_m2045311413 (RIPEMD160Managed_t279301360 * __this, uint32_t ___x, uint32_t ___y, uint32_t ___z, const MethodInfo* method) { { uint32_t L_0 = ___x; uint32_t L_1 = ___y; uint32_t L_2 = ___z; return ((int32_t)((int32_t)L_0^(int32_t)((int32_t)((int32_t)L_1|(int32_t)((~L_2)))))); } } // System.Void System.Security.Cryptography.RIPEMD160Managed::FF(System.UInt32&,System.UInt32,System.UInt32&,System.UInt32,System.UInt32,System.UInt32,System.Int32) extern "C" void RIPEMD160Managed_FF_m1086517667 (RIPEMD160Managed_t279301360 * __this, uint32_t* ___a, uint32_t ___b, uint32_t* ___c, uint32_t ___d, uint32_t ___e, uint32_t ___x, int32_t ___s, const MethodInfo* method) { { uint32_t* L_0 = ___a; uint32_t* L_1 = ___a; uint32_t L_2 = ___b; uint32_t* L_3 = ___c; uint32_t L_4 = ___d; uint32_t L_5 = RIPEMD160Managed_F_m1849119801(__this, L_2, (*((uint32_t*)L_3)), L_4, /*hidden argument*/NULL); uint32_t L_6 = ___x; *((int32_t*)(L_0)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_1))+(int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6)))); uint32_t* L_7 = ___a; uint32_t* L_8 = ___a; int32_t L_9 = ___s; uint32_t L_10 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_8)), L_9, /*hidden argument*/NULL); uint32_t L_11 = ___e; *((int32_t*)(L_7)) = (int32_t)((int32_t)((int32_t)L_10+(int32_t)L_11)); uint32_t* L_12 = ___c; uint32_t* L_13 = ___c; uint32_t L_14 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_13)), ((int32_t)10), /*hidden argument*/NULL); *((int32_t*)(L_12)) = (int32_t)L_14; return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::GG(System.UInt32&,System.UInt32,System.UInt32&,System.UInt32,System.UInt32,System.UInt32,System.Int32) extern "C" void RIPEMD160Managed_GG_m1647075779 (RIPEMD160Managed_t279301360 * __this, uint32_t* ___a, uint32_t ___b, uint32_t* ___c, uint32_t ___d, uint32_t ___e, uint32_t ___x, int32_t ___s, const MethodInfo* method) { { uint32_t* L_0 = ___a; uint32_t* L_1 = ___a; uint32_t L_2 = ___b; uint32_t* L_3 = ___c; uint32_t L_4 = ___d; uint32_t L_5 = RIPEMD160Managed_G_m824425880(__this, L_2, (*((uint32_t*)L_3)), L_4, /*hidden argument*/NULL); uint32_t L_6 = ___x; *((int32_t*)(L_0)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_1))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6))+(int32_t)((int32_t)1518500249))))); uint32_t* L_7 = ___a; uint32_t* L_8 = ___a; int32_t L_9 = ___s; uint32_t L_10 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_8)), L_9, /*hidden argument*/NULL); uint32_t L_11 = ___e; *((int32_t*)(L_7)) = (int32_t)((int32_t)((int32_t)L_10+(int32_t)L_11)); uint32_t* L_12 = ___c; uint32_t* L_13 = ___c; uint32_t L_14 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_13)), ((int32_t)10), /*hidden argument*/NULL); *((int32_t*)(L_12)) = (int32_t)L_14; return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::HH(System.UInt32&,System.UInt32,System.UInt32&,System.UInt32,System.UInt32,System.UInt32,System.Int32) extern "C" void RIPEMD160Managed_HH_m2207633891 (RIPEMD160Managed_t279301360 * __this, uint32_t* ___a, uint32_t ___b, uint32_t* ___c, uint32_t ___d, uint32_t ___e, uint32_t ___x, int32_t ___s, const MethodInfo* method) { { uint32_t* L_0 = ___a; uint32_t* L_1 = ___a; uint32_t L_2 = ___b; uint32_t* L_3 = ___c; uint32_t L_4 = ___d; uint32_t L_5 = RIPEMD160Managed_H_m4094699255(__this, L_2, (*((uint32_t*)L_3)), L_4, /*hidden argument*/NULL); uint32_t L_6 = ___x; *((int32_t*)(L_0)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_1))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6))+(int32_t)((int32_t)1859775393))))); uint32_t* L_7 = ___a; uint32_t* L_8 = ___a; int32_t L_9 = ___s; uint32_t L_10 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_8)), L_9, /*hidden argument*/NULL); uint32_t L_11 = ___e; *((int32_t*)(L_7)) = (int32_t)((int32_t)((int32_t)L_10+(int32_t)L_11)); uint32_t* L_12 = ___c; uint32_t* L_13 = ___c; uint32_t L_14 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_13)), ((int32_t)10), /*hidden argument*/NULL); *((int32_t*)(L_12)) = (int32_t)L_14; return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::II(System.UInt32&,System.UInt32,System.UInt32&,System.UInt32,System.UInt32,System.UInt32,System.Int32) extern "C" void RIPEMD160Managed_II_m2768192003 (RIPEMD160Managed_t279301360 * __this, uint32_t* ___a, uint32_t ___b, uint32_t* ___c, uint32_t ___d, uint32_t ___e, uint32_t ___x, int32_t ___s, const MethodInfo* method) { { uint32_t* L_0 = ___a; uint32_t* L_1 = ___a; uint32_t L_2 = ___b; uint32_t* L_3 = ___c; uint32_t L_4 = ___d; uint32_t L_5 = RIPEMD160Managed_I_m3070005334(__this, L_2, (*((uint32_t*)L_3)), L_4, /*hidden argument*/NULL); uint32_t L_6 = ___x; *((int32_t*)(L_0)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_1))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6))+(int32_t)((int32_t)-1894007588))))); uint32_t* L_7 = ___a; uint32_t* L_8 = ___a; int32_t L_9 = ___s; uint32_t L_10 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_8)), L_9, /*hidden argument*/NULL); uint32_t L_11 = ___e; *((int32_t*)(L_7)) = (int32_t)((int32_t)((int32_t)L_10+(int32_t)L_11)); uint32_t* L_12 = ___c; uint32_t* L_13 = ___c; uint32_t L_14 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_13)), ((int32_t)10), /*hidden argument*/NULL); *((int32_t*)(L_12)) = (int32_t)L_14; return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::JJ(System.UInt32&,System.UInt32,System.UInt32&,System.UInt32,System.UInt32,System.UInt32,System.Int32) extern "C" void RIPEMD160Managed_JJ_m3328750115 (RIPEMD160Managed_t279301360 * __this, uint32_t* ___a, uint32_t ___b, uint32_t* ___c, uint32_t ___d, uint32_t ___e, uint32_t ___x, int32_t ___s, const MethodInfo* method) { { uint32_t* L_0 = ___a; uint32_t* L_1 = ___a; uint32_t L_2 = ___b; uint32_t* L_3 = ___c; uint32_t L_4 = ___d; uint32_t L_5 = RIPEMD160Managed_J_m2045311413(__this, L_2, (*((uint32_t*)L_3)), L_4, /*hidden argument*/NULL); uint32_t L_6 = ___x; *((int32_t*)(L_0)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_1))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6))+(int32_t)((int32_t)-1454113458))))); uint32_t* L_7 = ___a; uint32_t* L_8 = ___a; int32_t L_9 = ___s; uint32_t L_10 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_8)), L_9, /*hidden argument*/NULL); uint32_t L_11 = ___e; *((int32_t*)(L_7)) = (int32_t)((int32_t)((int32_t)L_10+(int32_t)L_11)); uint32_t* L_12 = ___c; uint32_t* L_13 = ___c; uint32_t L_14 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_13)), ((int32_t)10), /*hidden argument*/NULL); *((int32_t*)(L_12)) = (int32_t)L_14; return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::FFF(System.UInt32&,System.UInt32,System.UInt32&,System.UInt32,System.UInt32,System.UInt32,System.Int32) extern "C" void RIPEMD160Managed_FFF_m2515984407 (RIPEMD160Managed_t279301360 * __this, uint32_t* ___a, uint32_t ___b, uint32_t* ___c, uint32_t ___d, uint32_t ___e, uint32_t ___x, int32_t ___s, const MethodInfo* method) { { uint32_t* L_0 = ___a; uint32_t* L_1 = ___a; uint32_t L_2 = ___b; uint32_t* L_3 = ___c; uint32_t L_4 = ___d; uint32_t L_5 = RIPEMD160Managed_F_m1849119801(__this, L_2, (*((uint32_t*)L_3)), L_4, /*hidden argument*/NULL); uint32_t L_6 = ___x; *((int32_t*)(L_0)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_1))+(int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6)))); uint32_t* L_7 = ___a; uint32_t* L_8 = ___a; int32_t L_9 = ___s; uint32_t L_10 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_8)), L_9, /*hidden argument*/NULL); uint32_t L_11 = ___e; *((int32_t*)(L_7)) = (int32_t)((int32_t)((int32_t)L_10+(int32_t)L_11)); uint32_t* L_12 = ___c; uint32_t* L_13 = ___c; uint32_t L_14 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_13)), ((int32_t)10), /*hidden argument*/NULL); *((int32_t*)(L_12)) = (int32_t)L_14; return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::GGG(System.UInt32&,System.UInt32,System.UInt32&,System.UInt32,System.UInt32,System.UInt32,System.Int32) extern "C" void RIPEMD160Managed_GGG_m4207329144 (RIPEMD160Managed_t279301360 * __this, uint32_t* ___a, uint32_t ___b, uint32_t* ___c, uint32_t ___d, uint32_t ___e, uint32_t ___x, int32_t ___s, const MethodInfo* method) { { uint32_t* L_0 = ___a; uint32_t* L_1 = ___a; uint32_t L_2 = ___b; uint32_t* L_3 = ___c; uint32_t L_4 = ___d; uint32_t L_5 = RIPEMD160Managed_G_m824425880(__this, L_2, (*((uint32_t*)L_3)), L_4, /*hidden argument*/NULL); uint32_t L_6 = ___x; *((int32_t*)(L_0)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_1))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6))+(int32_t)((int32_t)2053994217))))); uint32_t* L_7 = ___a; uint32_t* L_8 = ___a; int32_t L_9 = ___s; uint32_t L_10 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_8)), L_9, /*hidden argument*/NULL); uint32_t L_11 = ___e; *((int32_t*)(L_7)) = (int32_t)((int32_t)((int32_t)L_10+(int32_t)L_11)); uint32_t* L_12 = ___c; uint32_t* L_13 = ___c; uint32_t L_14 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_13)), ((int32_t)10), /*hidden argument*/NULL); *((int32_t*)(L_12)) = (int32_t)L_14; return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::HHH(System.UInt32&,System.UInt32,System.UInt32&,System.UInt32,System.UInt32,System.UInt32,System.Int32) extern "C" void RIPEMD160Managed_HHH_m1603706585 (RIPEMD160Managed_t279301360 * __this, uint32_t* ___a, uint32_t ___b, uint32_t* ___c, uint32_t ___d, uint32_t ___e, uint32_t ___x, int32_t ___s, const MethodInfo* method) { { uint32_t* L_0 = ___a; uint32_t* L_1 = ___a; uint32_t L_2 = ___b; uint32_t* L_3 = ___c; uint32_t L_4 = ___d; uint32_t L_5 = RIPEMD160Managed_H_m4094699255(__this, L_2, (*((uint32_t*)L_3)), L_4, /*hidden argument*/NULL); uint32_t L_6 = ___x; *((int32_t*)(L_0)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_1))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6))+(int32_t)((int32_t)1836072691))))); uint32_t* L_7 = ___a; uint32_t* L_8 = ___a; int32_t L_9 = ___s; uint32_t L_10 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_8)), L_9, /*hidden argument*/NULL); uint32_t L_11 = ___e; *((int32_t*)(L_7)) = (int32_t)((int32_t)((int32_t)L_10+(int32_t)L_11)); uint32_t* L_12 = ___c; uint32_t* L_13 = ___c; uint32_t L_14 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_13)), ((int32_t)10), /*hidden argument*/NULL); *((int32_t*)(L_12)) = (int32_t)L_14; return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::III(System.UInt32&,System.UInt32,System.UInt32&,System.UInt32,System.UInt32,System.UInt32,System.Int32) extern "C" void RIPEMD160Managed_III_m3295051322 (RIPEMD160Managed_t279301360 * __this, uint32_t* ___a, uint32_t ___b, uint32_t* ___c, uint32_t ___d, uint32_t ___e, uint32_t ___x, int32_t ___s, const MethodInfo* method) { { uint32_t* L_0 = ___a; uint32_t* L_1 = ___a; uint32_t L_2 = ___b; uint32_t* L_3 = ___c; uint32_t L_4 = ___d; uint32_t L_5 = RIPEMD160Managed_I_m3070005334(__this, L_2, (*((uint32_t*)L_3)), L_4, /*hidden argument*/NULL); uint32_t L_6 = ___x; *((int32_t*)(L_0)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_1))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6))+(int32_t)((int32_t)1548603684))))); uint32_t* L_7 = ___a; uint32_t* L_8 = ___a; int32_t L_9 = ___s; uint32_t L_10 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_8)), L_9, /*hidden argument*/NULL); uint32_t L_11 = ___e; *((int32_t*)(L_7)) = (int32_t)((int32_t)((int32_t)L_10+(int32_t)L_11)); uint32_t* L_12 = ___c; uint32_t* L_13 = ___c; uint32_t L_14 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_13)), ((int32_t)10), /*hidden argument*/NULL); *((int32_t*)(L_12)) = (int32_t)L_14; return; } } // System.Void System.Security.Cryptography.RIPEMD160Managed::JJJ(System.UInt32&,System.UInt32,System.UInt32&,System.UInt32,System.UInt32,System.UInt32,System.Int32) extern "C" void RIPEMD160Managed_JJJ_m691428763 (RIPEMD160Managed_t279301360 * __this, uint32_t* ___a, uint32_t ___b, uint32_t* ___c, uint32_t ___d, uint32_t ___e, uint32_t ___x, int32_t ___s, const MethodInfo* method) { { uint32_t* L_0 = ___a; uint32_t* L_1 = ___a; uint32_t L_2 = ___b; uint32_t* L_3 = ___c; uint32_t L_4 = ___d; uint32_t L_5 = RIPEMD160Managed_J_m2045311413(__this, L_2, (*((uint32_t*)L_3)), L_4, /*hidden argument*/NULL); uint32_t L_6 = ___x; *((int32_t*)(L_0)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_1))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6))+(int32_t)((int32_t)1352829926))))); uint32_t* L_7 = ___a; uint32_t* L_8 = ___a; int32_t L_9 = ___s; uint32_t L_10 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_8)), L_9, /*hidden argument*/NULL); uint32_t L_11 = ___e; *((int32_t*)(L_7)) = (int32_t)((int32_t)((int32_t)L_10+(int32_t)L_11)); uint32_t* L_12 = ___c; uint32_t* L_13 = ___c; uint32_t L_14 = RIPEMD160Managed_ROL_m3397150607(__this, (*((uint32_t*)L_13)), ((int32_t)10), /*hidden argument*/NULL); *((int32_t*)(L_12)) = (int32_t)L_14; return; } } // System.Void System.Security.Cryptography.RNGCryptoServiceProvider::.ctor() extern TypeInfo* RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var; extern const uint32_t RNGCryptoServiceProvider__ctor_m3574180295_MetadataUsageId; extern "C" void RNGCryptoServiceProvider__ctor_m3574180295 (RNGCryptoServiceProvider_t3578171699 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RNGCryptoServiceProvider__ctor_m3574180295_MetadataUsageId); s_Il2CppMethodIntialized = true; } { RandomNumberGenerator__ctor_m2911340286(__this, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var); IntPtr_t L_0 = RNGCryptoServiceProvider_RngInitialize_m3158968500(NULL /*static, unused*/, (ByteU5BU5D_t58506160*)(ByteU5BU5D_t58506160*)NULL, /*hidden argument*/NULL); __this->set__handle_1(L_0); RNGCryptoServiceProvider_Check_m865849837(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.RNGCryptoServiceProvider::.cctor() extern TypeInfo* RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var; extern TypeInfo* Il2CppObject_il2cpp_TypeInfo_var; extern const uint32_t RNGCryptoServiceProvider__cctor_m2943310534_MetadataUsageId; extern "C" void RNGCryptoServiceProvider__cctor_m2943310534 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RNGCryptoServiceProvider__cctor_m2943310534_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = RNGCryptoServiceProvider_RngOpen_m645048892(NULL /*static, unused*/, /*hidden argument*/NULL); if (!L_0) { goto IL_0014; } } { Il2CppObject * L_1 = (Il2CppObject *)il2cpp_codegen_object_new(Il2CppObject_il2cpp_TypeInfo_var); Object__ctor_m1772956182(L_1, /*hidden argument*/NULL); ((RNGCryptoServiceProvider_t3578171699_StaticFields*)RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var->static_fields)->set__lock_0(L_1); } IL_0014: { return; } } // System.Void System.Security.Cryptography.RNGCryptoServiceProvider::Check() extern TypeInfo* IntPtr_t_il2cpp_TypeInfo_var; extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3868511628; extern const uint32_t RNGCryptoServiceProvider_Check_m865849837_MetadataUsageId; extern "C" void RNGCryptoServiceProvider_Check_m865849837 (RNGCryptoServiceProvider_t3578171699 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RNGCryptoServiceProvider_Check_m865849837_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IntPtr_t L_0 = __this->get__handle_1(); IntPtr_t L_1 = ((IntPtr_t_StaticFields*)IntPtr_t_il2cpp_TypeInfo_var->static_fields)->get_Zero_1(); bool L_2 = IntPtr_op_Equality_m72843924(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); if (!L_2) { goto IL_0025; } } { String_t* L_3 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral3868511628, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_4 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_0025: { return; } } // System.Boolean System.Security.Cryptography.RNGCryptoServiceProvider::RngOpen() extern "C" bool RNGCryptoServiceProvider_RngOpen_m645048892 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { using namespace il2cpp::icalls; typedef bool (*RNGCryptoServiceProvider_RngOpen_m645048892_ftn) (); return ((RNGCryptoServiceProvider_RngOpen_m645048892_ftn)mscorlib::System::Security::Cryptography::RNGCryptoServiceProvider::RngOpen) (); } // System.IntPtr System.Security.Cryptography.RNGCryptoServiceProvider::RngInitialize(System.Byte[]) extern "C" IntPtr_t RNGCryptoServiceProvider_RngInitialize_m3158968500 (Il2CppObject * __this /* static, unused */, ByteU5BU5D_t58506160* ___seed, const MethodInfo* method) { using namespace il2cpp::icalls; typedef IntPtr_t (*RNGCryptoServiceProvider_RngInitialize_m3158968500_ftn) (ByteU5BU5D_t58506160*); return ((RNGCryptoServiceProvider_RngInitialize_m3158968500_ftn)mscorlib::System::Security::Cryptography::RNGCryptoServiceProvider::RngInitialize) (___seed); } // System.IntPtr System.Security.Cryptography.RNGCryptoServiceProvider::RngGetBytes(System.IntPtr,System.Byte[]) extern "C" IntPtr_t RNGCryptoServiceProvider_RngGetBytes_m213562877 (Il2CppObject * __this /* static, unused */, IntPtr_t ___handle, ByteU5BU5D_t58506160* ___data, const MethodInfo* method) { using namespace il2cpp::icalls; typedef IntPtr_t (*RNGCryptoServiceProvider_RngGetBytes_m213562877_ftn) (IntPtr_t, ByteU5BU5D_t58506160*); return ((RNGCryptoServiceProvider_RngGetBytes_m213562877_ftn)mscorlib::System::Security::Cryptography::RNGCryptoServiceProvider::RngGetBytes) (___handle, ___data); } // System.Void System.Security.Cryptography.RNGCryptoServiceProvider::RngClose(System.IntPtr) extern "C" void RNGCryptoServiceProvider_RngClose_m837396522 (Il2CppObject * __this /* static, unused */, IntPtr_t ___handle, const MethodInfo* method) { using namespace il2cpp::icalls; typedef void (*RNGCryptoServiceProvider_RngClose_m837396522_ftn) (IntPtr_t); ((RNGCryptoServiceProvider_RngClose_m837396522_ftn)mscorlib::System::Security::Cryptography::RNGCryptoServiceProvider::RngClose) (___handle); } // System.Void System.Security.Cryptography.RNGCryptoServiceProvider::GetBytes(System.Byte[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3076010; extern const uint32_t RNGCryptoServiceProvider_GetBytes_m3639238391_MetadataUsageId; extern "C" void RNGCryptoServiceProvider_GetBytes_m3639238391 (RNGCryptoServiceProvider_t3578171699 * __this, ByteU5BU5D_t58506160* ___data, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RNGCryptoServiceProvider_GetBytes_m3639238391_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { ByteU5BU5D_t58506160* L_0 = ___data; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral3076010, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { IL2CPP_RUNTIME_CLASS_INIT(RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var); Il2CppObject * L_2 = ((RNGCryptoServiceProvider_t3578171699_StaticFields*)RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var->static_fields)->get__lock_0(); if (L_2) { goto IL_0032; } } { IntPtr_t L_3 = __this->get__handle_1(); ByteU5BU5D_t58506160* L_4 = ___data; IL2CPP_RUNTIME_CLASS_INIT(RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var); IntPtr_t L_5 = RNGCryptoServiceProvider_RngGetBytes_m213562877(NULL /*static, unused*/, L_3, L_4, /*hidden argument*/NULL); __this->set__handle_1(L_5); goto IL_005c; } IL_0032: { IL2CPP_RUNTIME_CLASS_INIT(RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var); Il2CppObject * L_6 = ((RNGCryptoServiceProvider_t3578171699_StaticFields*)RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var->static_fields)->get__lock_0(); V_0 = L_6; Il2CppObject * L_7 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_7, /*hidden argument*/NULL); } IL_003e: try { // begin try (depth: 1) IntPtr_t L_8 = __this->get__handle_1(); ByteU5BU5D_t58506160* L_9 = ___data; IL2CPP_RUNTIME_CLASS_INIT(RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var); IntPtr_t L_10 = RNGCryptoServiceProvider_RngGetBytes_m213562877(NULL /*static, unused*/, L_8, L_9, /*hidden argument*/NULL); __this->set__handle_1(L_10); IL2CPP_LEAVE(0x5C, FINALLY_0055); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0055; } FINALLY_0055: { // begin finally (depth: 1) Il2CppObject * L_11 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_11, /*hidden argument*/NULL); IL2CPP_END_FINALLY(85) } // end finally (depth: 1) IL2CPP_CLEANUP(85) { IL2CPP_JUMP_TBL(0x5C, IL_005c) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_005c: { RNGCryptoServiceProvider_Check_m865849837(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.RNGCryptoServiceProvider::GetNonZeroBytes(System.Byte[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern TypeInfo* RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3076010; extern const uint32_t RNGCryptoServiceProvider_GetNonZeroBytes_m909979576_MetadataUsageId; extern "C" void RNGCryptoServiceProvider_GetNonZeroBytes_m909979576 (RNGCryptoServiceProvider_t3578171699 * __this, ByteU5BU5D_t58506160* ___data, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RNGCryptoServiceProvider_GetNonZeroBytes_m909979576_MetadataUsageId); s_Il2CppMethodIntialized = true; } ByteU5BU5D_t58506160* V_0 = NULL; int32_t V_1 = 0; int32_t V_2 = 0; { ByteU5BU5D_t58506160* L_0 = ___data; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral3076010, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___data; NullCheck(L_2); V_0 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_2)->max_length))))*(int32_t)2)))); V_1 = 0; goto IL_006f; } IL_0023: { IntPtr_t L_3 = __this->get__handle_1(); ByteU5BU5D_t58506160* L_4 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var); IntPtr_t L_5 = RNGCryptoServiceProvider_RngGetBytes_m213562877(NULL /*static, unused*/, L_3, L_4, /*hidden argument*/NULL); __this->set__handle_1(L_5); RNGCryptoServiceProvider_Check_m865849837(__this, /*hidden argument*/NULL); V_2 = 0; goto IL_0066; } IL_0042: { int32_t L_6 = V_1; ByteU5BU5D_t58506160* L_7 = ___data; NullCheck(L_7); if ((!(((uint32_t)L_6) == ((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_7)->max_length)))))))) { goto IL_0050; } } { goto IL_006f; } IL_0050: { ByteU5BU5D_t58506160* L_8 = V_0; int32_t L_9 = V_2; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, L_9); int32_t L_10 = L_9; if (!((L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_10)))) { goto IL_0062; } } { ByteU5BU5D_t58506160* L_11 = ___data; int32_t L_12 = V_1; int32_t L_13 = L_12; V_1 = ((int32_t)((int32_t)L_13+(int32_t)1)); ByteU5BU5D_t58506160* L_14 = V_0; int32_t L_15 = V_2; NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, L_15); int32_t L_16 = L_15; NullCheck(L_11); IL2CPP_ARRAY_BOUNDS_CHECK(L_11, L_13); (L_11)->SetAt(static_cast<il2cpp_array_size_t>(L_13), (uint8_t)((L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_16)))); } IL_0062: { int32_t L_17 = V_2; V_2 = ((int32_t)((int32_t)L_17+(int32_t)1)); } IL_0066: { int32_t L_18 = V_2; ByteU5BU5D_t58506160* L_19 = V_0; NullCheck(L_19); if ((((int32_t)L_18) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_19)->max_length))))))) { goto IL_0042; } } IL_006f: { int32_t L_20 = V_1; ByteU5BU5D_t58506160* L_21 = ___data; NullCheck(L_21); if ((((int32_t)L_20) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_21)->max_length))))))) { goto IL_0023; } } { return; } } // System.Void System.Security.Cryptography.RNGCryptoServiceProvider::Finalize() extern TypeInfo* IntPtr_t_il2cpp_TypeInfo_var; extern TypeInfo* RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var; extern const uint32_t RNGCryptoServiceProvider_Finalize_m1973439803_MetadataUsageId; extern "C" void RNGCryptoServiceProvider_Finalize_m1973439803 (RNGCryptoServiceProvider_t3578171699 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RNGCryptoServiceProvider_Finalize_m1973439803_MetadataUsageId); s_Il2CppMethodIntialized = true; } Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); IL_0000: try { // begin try (depth: 1) { IntPtr_t L_0 = __this->get__handle_1(); IntPtr_t L_1 = ((IntPtr_t_StaticFields*)IntPtr_t_il2cpp_TypeInfo_var->static_fields)->get_Zero_1(); bool L_2 = IntPtr_op_Inequality_m10053967(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); if (!L_2) { goto IL_002b; } } IL_0015: { IntPtr_t L_3 = __this->get__handle_1(); IL2CPP_RUNTIME_CLASS_INIT(RNGCryptoServiceProvider_t3578171699_il2cpp_TypeInfo_var); RNGCryptoServiceProvider_RngClose_m837396522(NULL /*static, unused*/, L_3, /*hidden argument*/NULL); IntPtr_t L_4 = ((IntPtr_t_StaticFields*)IntPtr_t_il2cpp_TypeInfo_var->static_fields)->get_Zero_1(); __this->set__handle_1(L_4); } IL_002b: { IL2CPP_LEAVE(0x37, FINALLY_0030); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0030; } FINALLY_0030: { // begin finally (depth: 1) Object_Finalize_m3027285644(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(48) } // end finally (depth: 1) IL2CPP_CLEANUP(48) { IL2CPP_JUMP_TBL(0x37, IL_0037) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0037: { return; } } // System.Void System.Security.Cryptography.RSA::.ctor() extern "C" void RSA__ctor_m1717134245 (RSA_t1557565273 * __this, const MethodInfo* method) { { AsymmetricAlgorithm__ctor_m1763307756(__this, /*hidden argument*/NULL); return; } } // System.Security.Cryptography.RSA System.Security.Cryptography.RSA::Create() extern Il2CppCodeGenString* _stringLiteral909330477; extern const uint32_t RSA_Create_m3157832121_MetadataUsageId; extern "C" RSA_t1557565273 * RSA_Create_m3157832121 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSA_Create_m3157832121_MetadataUsageId); s_Il2CppMethodIntialized = true; } { RSA_t1557565273 * L_0 = RSA_Create_m1188512233(NULL /*static, unused*/, _stringLiteral909330477, /*hidden argument*/NULL); return L_0; } } // System.Security.Cryptography.RSA System.Security.Cryptography.RSA::Create(System.String) extern TypeInfo* CryptoConfig_t2102571196_il2cpp_TypeInfo_var; extern TypeInfo* RSA_t1557565273_il2cpp_TypeInfo_var; extern const uint32_t RSA_Create_m1188512233_MetadataUsageId; extern "C" RSA_t1557565273 * RSA_Create_m1188512233 (Il2CppObject * __this /* static, unused */, String_t* ___algName, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSA_Create_m1188512233_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___algName; IL2CPP_RUNTIME_CLASS_INIT(CryptoConfig_t2102571196_il2cpp_TypeInfo_var); Il2CppObject * L_1 = CryptoConfig_CreateFromName_m3477093824(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); return ((RSA_t1557565273 *)CastclassClass(L_1, RSA_t1557565273_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.RSA::ZeroizePrivateKey(System.Security.Cryptography.RSAParameters) extern "C" void RSA_ZeroizePrivateKey_m3364848340 (RSA_t1557565273 * __this, RSAParameters_t2711684451 ___parameters, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = (&___parameters)->get_P_0(); if (!L_0) { goto IL_0022; } } { ByteU5BU5D_t58506160* L_1 = (&___parameters)->get_P_0(); ByteU5BU5D_t58506160* L_2 = (&___parameters)->get_P_0(); NullCheck(L_2); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_1, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_2)->max_length)))), /*hidden argument*/NULL); } IL_0022: { ByteU5BU5D_t58506160* L_3 = (&___parameters)->get_Q_1(); if (!L_3) { goto IL_0044; } } { ByteU5BU5D_t58506160* L_4 = (&___parameters)->get_Q_1(); ByteU5BU5D_t58506160* L_5 = (&___parameters)->get_Q_1(); NullCheck(L_5); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_4, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_5)->max_length)))), /*hidden argument*/NULL); } IL_0044: { ByteU5BU5D_t58506160* L_6 = (&___parameters)->get_DP_3(); if (!L_6) { goto IL_0066; } } { ByteU5BU5D_t58506160* L_7 = (&___parameters)->get_DP_3(); ByteU5BU5D_t58506160* L_8 = (&___parameters)->get_DP_3(); NullCheck(L_8); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_7, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_8)->max_length)))), /*hidden argument*/NULL); } IL_0066: { ByteU5BU5D_t58506160* L_9 = (&___parameters)->get_DQ_4(); if (!L_9) { goto IL_0088; } } { ByteU5BU5D_t58506160* L_10 = (&___parameters)->get_DQ_4(); ByteU5BU5D_t58506160* L_11 = (&___parameters)->get_DQ_4(); NullCheck(L_11); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_10, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length)))), /*hidden argument*/NULL); } IL_0088: { ByteU5BU5D_t58506160* L_12 = (&___parameters)->get_InverseQ_5(); if (!L_12) { goto IL_00aa; } } { ByteU5BU5D_t58506160* L_13 = (&___parameters)->get_InverseQ_5(); ByteU5BU5D_t58506160* L_14 = (&___parameters)->get_InverseQ_5(); NullCheck(L_14); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_13, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_14)->max_length)))), /*hidden argument*/NULL); } IL_00aa: { ByteU5BU5D_t58506160* L_15 = (&___parameters)->get_D_2(); if (!L_15) { goto IL_00cc; } } { ByteU5BU5D_t58506160* L_16 = (&___parameters)->get_D_2(); ByteU5BU5D_t58506160* L_17 = (&___parameters)->get_D_2(); NullCheck(L_17); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_16, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length)))), /*hidden argument*/NULL); } IL_00cc: { return; } } // System.Void System.Security.Cryptography.RSA::FromXmlString(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* RSAParameters_t2711684451_il2cpp_TypeInfo_var; extern TypeInfo* Exception_t1967233988_il2cpp_TypeInfo_var; extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2689560328; extern Il2CppCodeGenString* _stringLiteral80; extern Il2CppCodeGenString* _stringLiteral81; extern Il2CppCodeGenString* _stringLiteral68; extern Il2CppCodeGenString* _stringLiteral2188; extern Il2CppCodeGenString* _stringLiteral2189; extern Il2CppCodeGenString* _stringLiteral692318017; extern Il2CppCodeGenString* _stringLiteral2433441487; extern Il2CppCodeGenString* _stringLiteral2892087639; extern Il2CppCodeGenString* _stringLiteral1676534987; extern const uint32_t RSA_FromXmlString_m3641838305_MetadataUsageId; extern "C" void RSA_FromXmlString_m3641838305 (RSA_t1557565273 * __this, String_t* ___xmlString, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSA_FromXmlString_m3641838305_MetadataUsageId); s_Il2CppMethodIntialized = true; } RSAParameters_t2711684451 V_0; memset(&V_0, 0, sizeof(V_0)); Exception_t1967233988 * V_1 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { String_t* L_0 = ___xmlString; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral2689560328, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { Initobj (RSAParameters_t2711684451_il2cpp_TypeInfo_var, (&V_0)); } IL_0019: try { // begin try (depth: 1) try { // begin try (depth: 2) String_t* L_2 = ___xmlString; ByteU5BU5D_t58506160* L_3 = AsymmetricAlgorithm_GetNamedParam_m3241367956(NULL /*static, unused*/, L_2, _stringLiteral80, /*hidden argument*/NULL); (&V_0)->set_P_0(L_3); String_t* L_4 = ___xmlString; ByteU5BU5D_t58506160* L_5 = AsymmetricAlgorithm_GetNamedParam_m3241367956(NULL /*static, unused*/, L_4, _stringLiteral81, /*hidden argument*/NULL); (&V_0)->set_Q_1(L_5); String_t* L_6 = ___xmlString; ByteU5BU5D_t58506160* L_7 = AsymmetricAlgorithm_GetNamedParam_m3241367956(NULL /*static, unused*/, L_6, _stringLiteral68, /*hidden argument*/NULL); (&V_0)->set_D_2(L_7); String_t* L_8 = ___xmlString; ByteU5BU5D_t58506160* L_9 = AsymmetricAlgorithm_GetNamedParam_m3241367956(NULL /*static, unused*/, L_8, _stringLiteral2188, /*hidden argument*/NULL); (&V_0)->set_DP_3(L_9); String_t* L_10 = ___xmlString; ByteU5BU5D_t58506160* L_11 = AsymmetricAlgorithm_GetNamedParam_m3241367956(NULL /*static, unused*/, L_10, _stringLiteral2189, /*hidden argument*/NULL); (&V_0)->set_DQ_4(L_11); String_t* L_12 = ___xmlString; ByteU5BU5D_t58506160* L_13 = AsymmetricAlgorithm_GetNamedParam_m3241367956(NULL /*static, unused*/, L_12, _stringLiteral692318017, /*hidden argument*/NULL); (&V_0)->set_InverseQ_5(L_13); String_t* L_14 = ___xmlString; ByteU5BU5D_t58506160* L_15 = AsymmetricAlgorithm_GetNamedParam_m3241367956(NULL /*static, unused*/, L_14, _stringLiteral2433441487, /*hidden argument*/NULL); (&V_0)->set_Exponent_7(L_15); String_t* L_16 = ___xmlString; ByteU5BU5D_t58506160* L_17 = AsymmetricAlgorithm_GetNamedParam_m3241367956(NULL /*static, unused*/, L_16, _stringLiteral2892087639, /*hidden argument*/NULL); (&V_0)->set_Modulus_6(L_17); RSAParameters_t2711684451 L_18 = V_0; VirtActionInvoker1< RSAParameters_t2711684451 >::Invoke(13 /* System.Void System.Security.Cryptography.RSA::ImportParameters(System.Security.Cryptography.RSAParameters) */, __this, L_18); IL2CPP_LEAVE(0xDB, FINALLY_00d3); } // end try (depth: 2) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (Exception_t1967233988_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_00b5; throw e; } CATCH_00b5: { // begin catch(System.Exception) { V_1 = ((Exception_t1967233988 *)__exception_local); RSAParameters_t2711684451 L_19 = V_0; RSA_ZeroizePrivateKey_m3364848340(__this, L_19, /*hidden argument*/NULL); String_t* L_20 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1676534987, /*hidden argument*/NULL); Exception_t1967233988 * L_21 = V_1; CryptographicException_t3718270561 * L_22 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2542276749(L_22, L_20, L_21, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_22); } IL_00ce: { IL2CPP_LEAVE(0xDB, FINALLY_00d3); } } // end catch (depth: 2) } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_00d3; } FINALLY_00d3: { // begin finally (depth: 1) RSAParameters_t2711684451 L_23 = V_0; RSA_ZeroizePrivateKey_m3364848340(__this, L_23, /*hidden argument*/NULL); IL2CPP_END_FINALLY(211) } // end finally (depth: 1) IL2CPP_CLEANUP(211) { IL2CPP_JUMP_TBL(0xDB, IL_00db) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_00db: { return; } } // System.String System.Security.Cryptography.RSA::ToXmlString(System.Boolean) extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern TypeInfo* Il2CppObject_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2942824488; extern Il2CppCodeGenString* _stringLiteral2682285571; extern Il2CppCodeGenString* _stringLiteral1503481402; extern Il2CppCodeGenString* _stringLiteral3516333715; extern Il2CppCodeGenString* _stringLiteral1333142844; extern Il2CppCodeGenString* _stringLiteral3902830335; extern Il2CppCodeGenString* _stringLiteral2879100539; extern Il2CppCodeGenString* _stringLiteral60202; extern Il2CppCodeGenString* _stringLiteral1835169; extern Il2CppCodeGenString* _stringLiteral60233; extern Il2CppCodeGenString* _stringLiteral1835200; extern Il2CppCodeGenString* _stringLiteral1855350; extern Il2CppCodeGenString* _stringLiteral56879327; extern Il2CppCodeGenString* _stringLiteral1855381; extern Il2CppCodeGenString* _stringLiteral56879358; extern Il2CppCodeGenString* _stringLiteral1081113697; extern Il2CppCodeGenString* _stringLiteral3192890122; extern Il2CppCodeGenString* _stringLiteral59830; extern Il2CppCodeGenString* _stringLiteral1834797; extern Il2CppCodeGenString* _stringLiteral2193349855; extern const uint32_t RSA_ToXmlString_m2919494468_MetadataUsageId; extern "C" String_t* RSA_ToXmlString_m2919494468 (RSA_t1557565273 * __this, bool ___includePrivateParameters, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSA_ToXmlString_m2919494468_MetadataUsageId); s_Il2CppMethodIntialized = true; } StringBuilder_t3822575854 * V_0 = NULL; RSAParameters_t2711684451 V_1; memset(&V_1, 0, sizeof(V_1)); String_t* V_2 = NULL; String_t* V_3 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { StringBuilder_t3822575854 * L_0 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m135953004(L_0, /*hidden argument*/NULL); V_0 = L_0; bool L_1 = ___includePrivateParameters; RSAParameters_t2711684451 L_2 = VirtFuncInvoker1< RSAParameters_t2711684451 , bool >::Invoke(12 /* System.Security.Cryptography.RSAParameters System.Security.Cryptography.RSA::ExportParameters(System.Boolean) */, __this, L_1); V_1 = L_2; } IL_000e: try { // begin try (depth: 1) { StringBuilder_t3822575854 * L_3 = V_0; NullCheck(L_3); StringBuilder_Append_m3898090075(L_3, _stringLiteral2942824488, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_4 = V_0; NullCheck(L_4); StringBuilder_Append_m3898090075(L_4, _stringLiteral2682285571, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_5 = V_0; ByteU5BU5D_t58506160* L_6 = (&V_1)->get_Modulus_6(); IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); String_t* L_7 = Convert_ToBase64String_m1841808901(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); NullCheck(L_5); StringBuilder_Append_m3898090075(L_5, L_7, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_8 = V_0; NullCheck(L_8); StringBuilder_Append_m3898090075(L_8, _stringLiteral1503481402, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_9 = V_0; NullCheck(L_9); StringBuilder_Append_m3898090075(L_9, _stringLiteral3516333715, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_10 = V_0; ByteU5BU5D_t58506160* L_11 = (&V_1)->get_Exponent_7(); String_t* L_12 = Convert_ToBase64String_m1841808901(NULL /*static, unused*/, L_11, /*hidden argument*/NULL); NullCheck(L_10); StringBuilder_Append_m3898090075(L_10, L_12, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_13 = V_0; NullCheck(L_13); StringBuilder_Append_m3898090075(L_13, _stringLiteral1333142844, /*hidden argument*/NULL); bool L_14 = ___includePrivateParameters; if (!L_14) { goto IL_01e4; } } IL_0076: { ByteU5BU5D_t58506160* L_15 = (&V_1)->get_D_2(); if (L_15) { goto IL_0094; } } IL_0082: { String_t* L_16 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral3902830335, /*hidden argument*/NULL); V_2 = L_16; String_t* L_17 = V_2; ArgumentNullException_t3214793280 * L_18 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_18, L_17, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_18); } IL_0094: { ByteU5BU5D_t58506160* L_19 = (&V_1)->get_P_0(); if (!L_19) { goto IL_00d0; } } IL_00a0: { ByteU5BU5D_t58506160* L_20 = (&V_1)->get_Q_1(); if (!L_20) { goto IL_00d0; } } IL_00ac: { ByteU5BU5D_t58506160* L_21 = (&V_1)->get_DP_3(); if (!L_21) { goto IL_00d0; } } IL_00b8: { ByteU5BU5D_t58506160* L_22 = (&V_1)->get_DQ_4(); if (!L_22) { goto IL_00d0; } } IL_00c4: { ByteU5BU5D_t58506160* L_23 = (&V_1)->get_InverseQ_5(); if (L_23) { goto IL_00e2; } } IL_00d0: { String_t* L_24 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral2879100539, /*hidden argument*/NULL); V_3 = L_24; String_t* L_25 = V_3; CryptographicException_t3718270561 * L_26 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_26, L_25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_26); } IL_00e2: { StringBuilder_t3822575854 * L_27 = V_0; NullCheck(L_27); StringBuilder_Append_m3898090075(L_27, _stringLiteral60202, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_28 = V_0; ByteU5BU5D_t58506160* L_29 = (&V_1)->get_P_0(); IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); String_t* L_30 = Convert_ToBase64String_m1841808901(NULL /*static, unused*/, L_29, /*hidden argument*/NULL); NullCheck(L_28); StringBuilder_Append_m3898090075(L_28, L_30, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_31 = V_0; NullCheck(L_31); StringBuilder_Append_m3898090075(L_31, _stringLiteral1835169, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_32 = V_0; NullCheck(L_32); StringBuilder_Append_m3898090075(L_32, _stringLiteral60233, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_33 = V_0; ByteU5BU5D_t58506160* L_34 = (&V_1)->get_Q_1(); String_t* L_35 = Convert_ToBase64String_m1841808901(NULL /*static, unused*/, L_34, /*hidden argument*/NULL); NullCheck(L_33); StringBuilder_Append_m3898090075(L_33, L_35, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_36 = V_0; NullCheck(L_36); StringBuilder_Append_m3898090075(L_36, _stringLiteral1835200, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_37 = V_0; NullCheck(L_37); StringBuilder_Append_m3898090075(L_37, _stringLiteral1855350, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_38 = V_0; ByteU5BU5D_t58506160* L_39 = (&V_1)->get_DP_3(); String_t* L_40 = Convert_ToBase64String_m1841808901(NULL /*static, unused*/, L_39, /*hidden argument*/NULL); NullCheck(L_38); StringBuilder_Append_m3898090075(L_38, L_40, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_41 = V_0; NullCheck(L_41); StringBuilder_Append_m3898090075(L_41, _stringLiteral56879327, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_42 = V_0; NullCheck(L_42); StringBuilder_Append_m3898090075(L_42, _stringLiteral1855381, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_43 = V_0; ByteU5BU5D_t58506160* L_44 = (&V_1)->get_DQ_4(); String_t* L_45 = Convert_ToBase64String_m1841808901(NULL /*static, unused*/, L_44, /*hidden argument*/NULL); NullCheck(L_43); StringBuilder_Append_m3898090075(L_43, L_45, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_46 = V_0; NullCheck(L_46); StringBuilder_Append_m3898090075(L_46, _stringLiteral56879358, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_47 = V_0; NullCheck(L_47); StringBuilder_Append_m3898090075(L_47, _stringLiteral1081113697, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_48 = V_0; ByteU5BU5D_t58506160* L_49 = (&V_1)->get_InverseQ_5(); String_t* L_50 = Convert_ToBase64String_m1841808901(NULL /*static, unused*/, L_49, /*hidden argument*/NULL); NullCheck(L_48); StringBuilder_Append_m3898090075(L_48, L_50, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_51 = V_0; NullCheck(L_51); StringBuilder_Append_m3898090075(L_51, _stringLiteral3192890122, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_52 = V_0; NullCheck(L_52); StringBuilder_Append_m3898090075(L_52, _stringLiteral59830, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_53 = V_0; ByteU5BU5D_t58506160* L_54 = (&V_1)->get_D_2(); String_t* L_55 = Convert_ToBase64String_m1841808901(NULL /*static, unused*/, L_54, /*hidden argument*/NULL); NullCheck(L_53); StringBuilder_Append_m3898090075(L_53, L_55, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_56 = V_0; NullCheck(L_56); StringBuilder_Append_m3898090075(L_56, _stringLiteral1834797, /*hidden argument*/NULL); } IL_01e4: { StringBuilder_t3822575854 * L_57 = V_0; NullCheck(L_57); StringBuilder_Append_m3898090075(L_57, _stringLiteral2193349855, /*hidden argument*/NULL); goto IL_0204; } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (Il2CppObject_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_01f5; throw e; } CATCH_01f5: { // begin catch(System.Object) { RSAParameters_t2711684451 L_58 = V_1; RSA_ZeroizePrivateKey_m3364848340(__this, L_58, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(__exception_local); } IL_01ff: { goto IL_0204; } } // end catch (depth: 1) IL_0204: { StringBuilder_t3822575854 * L_59 = V_0; NullCheck(L_59); String_t* L_60 = StringBuilder_ToString_m350379841(L_59, /*hidden argument*/NULL); return L_60; } } // System.Void System.Security.Cryptography.RSACryptoServiceProvider::.ctor() extern "C" void RSACryptoServiceProvider__ctor_m8796060 (RSACryptoServiceProvider_t555495358 * __this, const MethodInfo* method) { { __this->set_privateKeyExportable_5((bool)1); RSA__ctor_m1717134245(__this, /*hidden argument*/NULL); RSACryptoServiceProvider_Common_m3809083019(__this, ((int32_t)1024), (CspParameters_t4096074019 *)NULL, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.RSACryptoServiceProvider::.ctor(System.Security.Cryptography.CspParameters) extern "C" void RSACryptoServiceProvider__ctor_m32080133 (RSACryptoServiceProvider_t555495358 * __this, CspParameters_t4096074019 * ___parameters, const MethodInfo* method) { { __this->set_privateKeyExportable_5((bool)1); RSA__ctor_m1717134245(__this, /*hidden argument*/NULL); CspParameters_t4096074019 * L_0 = ___parameters; RSACryptoServiceProvider_Common_m3809083019(__this, ((int32_t)1024), L_0, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.RSACryptoServiceProvider::.ctor(System.Int32) extern "C" void RSACryptoServiceProvider__ctor_m4233192173 (RSACryptoServiceProvider_t555495358 * __this, int32_t ___dwKeySize, const MethodInfo* method) { { __this->set_privateKeyExportable_5((bool)1); RSA__ctor_m1717134245(__this, /*hidden argument*/NULL); int32_t L_0 = ___dwKeySize; RSACryptoServiceProvider_Common_m3809083019(__this, L_0, (CspParameters_t4096074019 *)NULL, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.RSACryptoServiceProvider::.cctor() extern "C" void RSACryptoServiceProvider__cctor_m4085548945 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { { return; } } // System.Void System.Security.Cryptography.RSACryptoServiceProvider::Common(System.Int32,System.Security.Cryptography.CspParameters) extern TypeInfo* KeySizesU5BU5D_t1304982661_il2cpp_TypeInfo_var; extern TypeInfo* KeySizes_t2111859404_il2cpp_TypeInfo_var; extern TypeInfo* RSAManaged_t639738772_il2cpp_TypeInfo_var; extern TypeInfo* KeyGeneratedEventHandler_t1233396097_il2cpp_TypeInfo_var; extern TypeInfo* CspParameters_t4096074019_il2cpp_TypeInfo_var; extern TypeInfo* RSACryptoServiceProvider_t555495358_il2cpp_TypeInfo_var; extern TypeInfo* KeyPairPersistence_t3887392091_il2cpp_TypeInfo_var; extern const MethodInfo* RSACryptoServiceProvider_OnKeyGenerated_m4166429105_MethodInfo_var; extern const uint32_t RSACryptoServiceProvider_Common_m3809083019_MetadataUsageId; extern "C" void RSACryptoServiceProvider_Common_m3809083019 (RSACryptoServiceProvider_t555495358 * __this, int32_t ___dwKeySize, CspParameters_t4096074019 * ___p, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSACryptoServiceProvider_Common_m3809083019_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ((AsymmetricAlgorithm_t4236534322 *)__this)->set_LegalKeySizesValue_1(((KeySizesU5BU5D_t1304982661*)SZArrayNew(KeySizesU5BU5D_t1304982661_il2cpp_TypeInfo_var, (uint32_t)1))); KeySizesU5BU5D_t1304982661* L_0 = ((AsymmetricAlgorithm_t4236534322 *)__this)->get_LegalKeySizesValue_1(); KeySizes_t2111859404 * L_1 = (KeySizes_t2111859404 *)il2cpp_codegen_object_new(KeySizes_t2111859404_il2cpp_TypeInfo_var); KeySizes__ctor_m428291391(L_1, ((int32_t)384), ((int32_t)16384), 8, /*hidden argument*/NULL); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); ArrayElementTypeCheck (L_0, L_1); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (KeySizes_t2111859404 *)L_1); int32_t L_2 = ___dwKeySize; AsymmetricAlgorithm_set_KeySize_m503039102(__this, L_2, /*hidden argument*/NULL); int32_t L_3 = RSACryptoServiceProvider_get_KeySize_m1022373229(__this, /*hidden argument*/NULL); RSAManaged_t639738772 * L_4 = (RSAManaged_t639738772 *)il2cpp_codegen_object_new(RSAManaged_t639738772_il2cpp_TypeInfo_var); RSAManaged__ctor_m1958471367(L_4, L_3, /*hidden argument*/NULL); __this->set_rsa_7(L_4); RSAManaged_t639738772 * L_5 = __this->get_rsa_7(); IntPtr_t L_6; L_6.set_m_value_0((void*)RSACryptoServiceProvider_OnKeyGenerated_m4166429105_MethodInfo_var); KeyGeneratedEventHandler_t1233396097 * L_7 = (KeyGeneratedEventHandler_t1233396097 *)il2cpp_codegen_object_new(KeyGeneratedEventHandler_t1233396097_il2cpp_TypeInfo_var); KeyGeneratedEventHandler__ctor_m1163909473(L_7, __this, L_6, /*hidden argument*/NULL); NullCheck(L_5); RSAManaged_add_KeyGenerated_m3011900107(L_5, L_7, /*hidden argument*/NULL); CspParameters_t4096074019 * L_8 = ___p; __this->set_persistKey_3((bool)((((int32_t)((((Il2CppObject*)(CspParameters_t4096074019 *)L_8) == ((Il2CppObject*)(Il2CppObject *)NULL))? 1 : 0)) == ((int32_t)0))? 1 : 0)); CspParameters_t4096074019 * L_9 = ___p; if (L_9) { goto IL_0097; } } { CspParameters_t4096074019 * L_10 = (CspParameters_t4096074019 *)il2cpp_codegen_object_new(CspParameters_t4096074019_il2cpp_TypeInfo_var); CspParameters__ctor_m2607591276(L_10, 1, /*hidden argument*/NULL); ___p = L_10; IL2CPP_RUNTIME_CLASS_INIT(RSACryptoServiceProvider_t555495358_il2cpp_TypeInfo_var); bool L_11 = ((RSACryptoServiceProvider_t555495358_StaticFields*)RSACryptoServiceProvider_t555495358_il2cpp_TypeInfo_var->static_fields)->get_useMachineKeyStore_8(); if (!L_11) { goto IL_0086; } } { CspParameters_t4096074019 * L_12 = ___p; CspParameters_t4096074019 * L_13 = L_12; NullCheck(L_13); int32_t L_14 = CspParameters_get_Flags_m85401037(L_13, /*hidden argument*/NULL); NullCheck(L_13); CspParameters_set_Flags_m3780635110(L_13, ((int32_t)((int32_t)L_14|(int32_t)1)), /*hidden argument*/NULL); } IL_0086: { CspParameters_t4096074019 * L_15 = ___p; KeyPairPersistence_t3887392091 * L_16 = (KeyPairPersistence_t3887392091 *)il2cpp_codegen_object_new(KeyPairPersistence_t3887392091_il2cpp_TypeInfo_var); KeyPairPersistence__ctor_m4074919992(L_16, L_15, /*hidden argument*/NULL); __this->set_store_2(L_16); goto IL_00d7; } IL_0097: { CspParameters_t4096074019 * L_17 = ___p; KeyPairPersistence_t3887392091 * L_18 = (KeyPairPersistence_t3887392091 *)il2cpp_codegen_object_new(KeyPairPersistence_t3887392091_il2cpp_TypeInfo_var); KeyPairPersistence__ctor_m4074919992(L_18, L_17, /*hidden argument*/NULL); __this->set_store_2(L_18); KeyPairPersistence_t3887392091 * L_19 = __this->get_store_2(); NullCheck(L_19); KeyPairPersistence_Load_m625005177(L_19, /*hidden argument*/NULL); KeyPairPersistence_t3887392091 * L_20 = __this->get_store_2(); NullCheck(L_20); String_t* L_21 = KeyPairPersistence_get_KeyValue_m204692013(L_20, /*hidden argument*/NULL); if (!L_21) { goto IL_00d7; } } { __this->set_persisted_4((bool)1); KeyPairPersistence_t3887392091 * L_22 = __this->get_store_2(); NullCheck(L_22); String_t* L_23 = KeyPairPersistence_get_KeyValue_m204692013(L_22, /*hidden argument*/NULL); VirtActionInvoker1< String_t* >::Invoke(8 /* System.Void System.Security.Cryptography.RSA::FromXmlString(System.String) */, __this, L_23); } IL_00d7: { return; } } // System.Void System.Security.Cryptography.RSACryptoServiceProvider::Finalize() extern "C" void RSACryptoServiceProvider_Finalize_m152924998 (RSACryptoServiceProvider_t555495358 * __this, const MethodInfo* method) { Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); IL_0000: try { // begin try (depth: 1) RSACryptoServiceProvider_Dispose_m4161630864(__this, (bool)0, /*hidden argument*/NULL); IL2CPP_LEAVE(0x13, FINALLY_000c); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_000c; } FINALLY_000c: { // begin finally (depth: 1) Object_Finalize_m3027285644(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(12) } // end finally (depth: 1) IL2CPP_CLEANUP(12) { IL2CPP_JUMP_TBL(0x13, IL_0013) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0013: { return; } } // System.Int32 System.Security.Cryptography.RSACryptoServiceProvider::get_KeySize() extern "C" int32_t RSACryptoServiceProvider_get_KeySize_m1022373229 (RSACryptoServiceProvider_t555495358 * __this, const MethodInfo* method) { { RSAManaged_t639738772 * L_0 = __this->get_rsa_7(); if (L_0) { goto IL_0012; } } { int32_t L_1 = ((AsymmetricAlgorithm_t4236534322 *)__this)->get_KeySizeValue_0(); return L_1; } IL_0012: { RSAManaged_t639738772 * L_2 = __this->get_rsa_7(); NullCheck(L_2); int32_t L_3 = VirtFuncInvoker0< int32_t >::Invoke(5 /* System.Int32 Mono.Security.Cryptography.RSAManaged::get_KeySize() */, L_2); return L_3; } } // System.Boolean System.Security.Cryptography.RSACryptoServiceProvider::get_PublicOnly() extern "C" bool RSACryptoServiceProvider_get_PublicOnly_m2755170020 (RSACryptoServiceProvider_t555495358 * __this, const MethodInfo* method) { { RSAManaged_t639738772 * L_0 = __this->get_rsa_7(); NullCheck(L_0); bool L_1 = RSAManaged_get_PublicOnly_m3109512522(L_0, /*hidden argument*/NULL); return L_1; } } // System.Byte[] System.Security.Cryptography.RSACryptoServiceProvider::DecryptValue(System.Byte[]) extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral230927382; extern const uint32_t RSACryptoServiceProvider_DecryptValue_m3565674343_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* RSACryptoServiceProvider_DecryptValue_m3565674343 (RSACryptoServiceProvider_t555495358 * __this, ByteU5BU5D_t58506160* ___rgb, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSACryptoServiceProvider_DecryptValue_m3565674343_MetadataUsageId); s_Il2CppMethodIntialized = true; } { RSAManaged_t639738772 * L_0 = __this->get_rsa_7(); NullCheck(L_0); bool L_1 = RSAManaged_get_IsCrtPossible_m2743607449(L_0, /*hidden argument*/NULL); if (L_1) { goto IL_001b; } } { CryptographicException_t3718270561 * L_2 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_2, _stringLiteral230927382, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001b: { RSAManaged_t639738772 * L_3 = __this->get_rsa_7(); ByteU5BU5D_t58506160* L_4 = ___rgb; NullCheck(L_3); ByteU5BU5D_t58506160* L_5 = VirtFuncInvoker1< ByteU5BU5D_t58506160*, ByteU5BU5D_t58506160* >::Invoke(11 /* System.Byte[] Mono.Security.Cryptography.RSAManaged::DecryptValue(System.Byte[]) */, L_3, L_4); return L_5; } } // System.Byte[] System.Security.Cryptography.RSACryptoServiceProvider::EncryptValue(System.Byte[]) extern "C" ByteU5BU5D_t58506160* RSACryptoServiceProvider_EncryptValue_m511499327 (RSACryptoServiceProvider_t555495358 * __this, ByteU5BU5D_t58506160* ___rgb, const MethodInfo* method) { { RSAManaged_t639738772 * L_0 = __this->get_rsa_7(); ByteU5BU5D_t58506160* L_1 = ___rgb; NullCheck(L_0); ByteU5BU5D_t58506160* L_2 = VirtFuncInvoker1< ByteU5BU5D_t58506160*, ByteU5BU5D_t58506160* >::Invoke(10 /* System.Byte[] Mono.Security.Cryptography.RSAManaged::EncryptValue(System.Byte[]) */, L_0, L_1); return L_2; } } // System.Security.Cryptography.RSAParameters System.Security.Cryptography.RSACryptoServiceProvider::ExportParameters(System.Boolean) extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2179295763; extern const uint32_t RSACryptoServiceProvider_ExportParameters_m71989545_MetadataUsageId; extern "C" RSAParameters_t2711684451 RSACryptoServiceProvider_ExportParameters_m71989545 (RSACryptoServiceProvider_t555495358 * __this, bool ___includePrivateParameters, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSACryptoServiceProvider_ExportParameters_m71989545_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = ___includePrivateParameters; if (!L_0) { goto IL_001c; } } { bool L_1 = __this->get_privateKeyExportable_5(); if (L_1) { goto IL_001c; } } { CryptographicException_t3718270561 * L_2 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_2, _stringLiteral2179295763, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { RSAManaged_t639738772 * L_3 = __this->get_rsa_7(); bool L_4 = ___includePrivateParameters; NullCheck(L_3); RSAParameters_t2711684451 L_5 = VirtFuncInvoker1< RSAParameters_t2711684451 , bool >::Invoke(12 /* System.Security.Cryptography.RSAParameters Mono.Security.Cryptography.RSAManaged::ExportParameters(System.Boolean) */, L_3, L_4); return L_5; } } // System.Void System.Security.Cryptography.RSACryptoServiceProvider::ImportParameters(System.Security.Cryptography.RSAParameters) extern "C" void RSACryptoServiceProvider_ImportParameters_m3023964864 (RSACryptoServiceProvider_t555495358 * __this, RSAParameters_t2711684451 ___parameters, const MethodInfo* method) { { RSAManaged_t639738772 * L_0 = __this->get_rsa_7(); RSAParameters_t2711684451 L_1 = ___parameters; NullCheck(L_0); VirtActionInvoker1< RSAParameters_t2711684451 >::Invoke(13 /* System.Void Mono.Security.Cryptography.RSAManaged::ImportParameters(System.Security.Cryptography.RSAParameters) */, L_0, L_1); return; } } // System.Void System.Security.Cryptography.RSACryptoServiceProvider::Dispose(System.Boolean) extern "C" void RSACryptoServiceProvider_Dispose_m4161630864 (RSACryptoServiceProvider_t555495358 * __this, bool ___disposing, const MethodInfo* method) { { bool L_0 = __this->get_m_disposed_6(); if (L_0) { goto IL_0049; } } { bool L_1 = __this->get_persisted_4(); if (!L_1) { goto IL_002c; } } { bool L_2 = __this->get_persistKey_3(); if (L_2) { goto IL_002c; } } { KeyPairPersistence_t3887392091 * L_3 = __this->get_store_2(); NullCheck(L_3); KeyPairPersistence_Remove_m860812121(L_3, /*hidden argument*/NULL); } IL_002c: { RSAManaged_t639738772 * L_4 = __this->get_rsa_7(); if (!L_4) { goto IL_0042; } } { RSAManaged_t639738772 * L_5 = __this->get_rsa_7(); NullCheck(L_5); AsymmetricAlgorithm_Clear_m3464408343(L_5, /*hidden argument*/NULL); } IL_0042: { __this->set_m_disposed_6((bool)1); } IL_0049: { return; } } // System.Void System.Security.Cryptography.RSACryptoServiceProvider::OnKeyGenerated(System.Object,System.EventArgs) extern "C" void RSACryptoServiceProvider_OnKeyGenerated_m4166429105 (RSACryptoServiceProvider_t555495358 * __this, Il2CppObject * ___sender, EventArgs_t516466188 * ___e, const MethodInfo* method) { { bool L_0 = __this->get_persistKey_3(); if (!L_0) { goto IL_0047; } } { bool L_1 = __this->get_persisted_4(); if (L_1) { goto IL_0047; } } { KeyPairPersistence_t3887392091 * L_2 = __this->get_store_2(); RSAManaged_t639738772 * L_3 = __this->get_rsa_7(); NullCheck(L_3); bool L_4 = RSAManaged_get_PublicOnly_m3109512522(L_3, /*hidden argument*/NULL); String_t* L_5 = VirtFuncInvoker1< String_t*, bool >::Invoke(9 /* System.String System.Security.Cryptography.RSA::ToXmlString(System.Boolean) */, __this, (bool)((((int32_t)L_4) == ((int32_t)0))? 1 : 0)); NullCheck(L_2); KeyPairPersistence_set_KeyValue_m2790955742(L_2, L_5, /*hidden argument*/NULL); KeyPairPersistence_t3887392091 * L_6 = __this->get_store_2(); NullCheck(L_6); KeyPairPersistence_Save_m870778642(L_6, /*hidden argument*/NULL); __this->set_persisted_4((bool)1); } IL_0047: { return; } } // Conversion methods for marshalling of: System.Security.Cryptography.RSAParameters extern "C" void RSAParameters_t2711684451_marshal_pinvoke(const RSAParameters_t2711684451& unmarshaled, RSAParameters_t2711684451_marshaled_pinvoke& marshaled) { marshaled.___P_0 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_P_0()); marshaled.___Q_1 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_Q_1()); marshaled.___D_2 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_D_2()); marshaled.___DP_3 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_DP_3()); marshaled.___DQ_4 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_DQ_4()); marshaled.___InverseQ_5 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_InverseQ_5()); marshaled.___Modulus_6 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_Modulus_6()); marshaled.___Exponent_7 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_Exponent_7()); } extern TypeInfo* Byte_t2778693821_il2cpp_TypeInfo_var; extern const uint32_t RSAParameters_t2711684451_pinvoke_FromNativeMethodDefinition_MetadataUsageId; extern "C" void RSAParameters_t2711684451_marshal_pinvoke_back(const RSAParameters_t2711684451_marshaled_pinvoke& marshaled, RSAParameters_t2711684451& unmarshaled) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSAParameters_t2711684451_pinvoke_FromNativeMethodDefinition_MetadataUsageId); s_Il2CppMethodIntialized = true; } unmarshaled.set_P_0((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___P_0, 1)); unmarshaled.set_Q_1((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___Q_1, 1)); unmarshaled.set_D_2((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___D_2, 1)); unmarshaled.set_DP_3((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___DP_3, 1)); unmarshaled.set_DQ_4((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___DQ_4, 1)); unmarshaled.set_InverseQ_5((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___InverseQ_5, 1)); unmarshaled.set_Modulus_6((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___Modulus_6, 1)); unmarshaled.set_Exponent_7((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___Exponent_7, 1)); } // Conversion method for clean up from marshalling of: System.Security.Cryptography.RSAParameters extern "C" void RSAParameters_t2711684451_marshal_pinvoke_cleanup(RSAParameters_t2711684451_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: System.Security.Cryptography.RSAParameters extern "C" void RSAParameters_t2711684451_marshal_com(const RSAParameters_t2711684451& unmarshaled, RSAParameters_t2711684451_marshaled_com& marshaled) { marshaled.___P_0 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_P_0()); marshaled.___Q_1 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_Q_1()); marshaled.___D_2 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_D_2()); marshaled.___DP_3 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_DP_3()); marshaled.___DQ_4 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_DQ_4()); marshaled.___InverseQ_5 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_InverseQ_5()); marshaled.___Modulus_6 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_Modulus_6()); marshaled.___Exponent_7 = il2cpp_codegen_marshal_array<uint8_t>((Il2CppCodeGenArray*)unmarshaled.get_Exponent_7()); } extern TypeInfo* Byte_t2778693821_il2cpp_TypeInfo_var; extern const uint32_t RSAParameters_t2711684451_com_FromNativeMethodDefinition_MetadataUsageId; extern "C" void RSAParameters_t2711684451_marshal_com_back(const RSAParameters_t2711684451_marshaled_com& marshaled, RSAParameters_t2711684451& unmarshaled) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSAParameters_t2711684451_com_FromNativeMethodDefinition_MetadataUsageId); s_Il2CppMethodIntialized = true; } unmarshaled.set_P_0((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___P_0, 1)); unmarshaled.set_Q_1((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___Q_1, 1)); unmarshaled.set_D_2((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___D_2, 1)); unmarshaled.set_DP_3((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___DP_3, 1)); unmarshaled.set_DQ_4((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___DQ_4, 1)); unmarshaled.set_InverseQ_5((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___InverseQ_5, 1)); unmarshaled.set_Modulus_6((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___Modulus_6, 1)); unmarshaled.set_Exponent_7((ByteU5BU5D_t58506160*)il2cpp_codegen_marshal_array_result(Byte_t2778693821_il2cpp_TypeInfo_var, marshaled.___Exponent_7, 1)); } // Conversion method for clean up from marshalling of: System.Security.Cryptography.RSAParameters extern "C" void RSAParameters_t2711684451_marshal_com_cleanup(RSAParameters_t2711684451_marshaled_com& marshaled) { } // System.Void System.Security.Cryptography.RSAPKCS1KeyExchangeFormatter::.ctor(System.Security.Cryptography.AsymmetricAlgorithm) extern "C" void RSAPKCS1KeyExchangeFormatter__ctor_m2849280717 (RSAPKCS1KeyExchangeFormatter_t3800217447 * __this, AsymmetricAlgorithm_t4236534322 * ___key, const MethodInfo* method) { { AsymmetricKeyExchangeFormatter__ctor_m2175301955(__this, /*hidden argument*/NULL); AsymmetricAlgorithm_t4236534322 * L_0 = ___key; RSAPKCS1KeyExchangeFormatter_SetRSAKey_m2782488748(__this, L_0, /*hidden argument*/NULL); return; } } // System.Byte[] System.Security.Cryptography.RSAPKCS1KeyExchangeFormatter::CreateKeyExchange(System.Byte[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* CryptographicUnexpectedOperationException_t3594907801_il2cpp_TypeInfo_var; extern TypeInfo* PKCS1_t3821523995_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1137634839; extern Il2CppCodeGenString* _stringLiteral2511210160; extern const uint32_t RSAPKCS1KeyExchangeFormatter_CreateKeyExchange_m473400456_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* RSAPKCS1KeyExchangeFormatter_CreateKeyExchange_m473400456 (RSAPKCS1KeyExchangeFormatter_t3800217447 * __this, ByteU5BU5D_t58506160* ___rgbData, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSAPKCS1KeyExchangeFormatter_CreateKeyExchange_m473400456_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; { ByteU5BU5D_t58506160* L_0 = ___rgbData; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral1137634839, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { RSA_t1557565273 * L_2 = __this->get_rsa_0(); if (L_2) { goto IL_002e; } } { String_t* L_3 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral2511210160, /*hidden argument*/NULL); V_0 = L_3; String_t* L_4 = V_0; CryptographicUnexpectedOperationException_t3594907801 * L_5 = (CryptographicUnexpectedOperationException_t3594907801 *)il2cpp_codegen_object_new(CryptographicUnexpectedOperationException_t3594907801_il2cpp_TypeInfo_var); CryptographicUnexpectedOperationException__ctor_m1444713021(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_002e: { RandomNumberGenerator_t2174318432 * L_6 = __this->get_random_1(); if (L_6) { goto IL_0044; } } { RandomNumberGenerator_t2174318432 * L_7 = RandomNumberGenerator_Create_m2029084057(NULL /*static, unused*/, /*hidden argument*/NULL); __this->set_random_1(L_7); } IL_0044: { RSA_t1557565273 * L_8 = __this->get_rsa_0(); RandomNumberGenerator_t2174318432 * L_9 = __this->get_random_1(); ByteU5BU5D_t58506160* L_10 = ___rgbData; IL2CPP_RUNTIME_CLASS_INIT(PKCS1_t3821523995_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_11 = PKCS1_Encrypt_v15_m1679755779(NULL /*static, unused*/, L_8, L_9, L_10, /*hidden argument*/NULL); return L_11; } } // System.Void System.Security.Cryptography.RSAPKCS1KeyExchangeFormatter::SetRSAKey(System.Security.Cryptography.AsymmetricAlgorithm) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* RSA_t1557565273_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral106079; extern const uint32_t RSAPKCS1KeyExchangeFormatter_SetRSAKey_m2782488748_MetadataUsageId; extern "C" void RSAPKCS1KeyExchangeFormatter_SetRSAKey_m2782488748 (RSAPKCS1KeyExchangeFormatter_t3800217447 * __this, AsymmetricAlgorithm_t4236534322 * ___key, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSAPKCS1KeyExchangeFormatter_SetRSAKey_m2782488748_MetadataUsageId); s_Il2CppMethodIntialized = true; } { AsymmetricAlgorithm_t4236534322 * L_0 = ___key; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral106079, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { AsymmetricAlgorithm_t4236534322 * L_2 = ___key; __this->set_rsa_0(((RSA_t1557565273 *)CastclassClass(L_2, RSA_t1557565273_il2cpp_TypeInfo_var))); return; } } // System.Void System.Security.Cryptography.RSAPKCS1SHA1SignatureDescription::.ctor() extern Il2CppCodeGenString* _stringLiteral1478959370; extern Il2CppCodeGenString* _stringLiteral2168136429; extern Il2CppCodeGenString* _stringLiteral2255757483; extern Il2CppCodeGenString* _stringLiteral3479801496; extern const uint32_t RSAPKCS1SHA1SignatureDescription__ctor_m1746812082_MetadataUsageId; extern "C" void RSAPKCS1SHA1SignatureDescription__ctor_m1746812082 (RSAPKCS1SHA1SignatureDescription_t1251040232 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSAPKCS1SHA1SignatureDescription__ctor_m1746812082_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SignatureDescription__ctor_m565127101(__this, /*hidden argument*/NULL); SignatureDescription_set_DeformatterAlgorithm_m1987350616(__this, _stringLiteral1478959370, /*hidden argument*/NULL); SignatureDescription_set_DigestAlgorithm_m1782853785(__this, _stringLiteral2168136429, /*hidden argument*/NULL); SignatureDescription_set_FormatterAlgorithm_m2575614969(__this, _stringLiteral2255757483, /*hidden argument*/NULL); SignatureDescription_set_KeyAlgorithm_m2741949518(__this, _stringLiteral3479801496, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.RSAPKCS1SignatureDeformatter::.ctor() extern "C" void RSAPKCS1SignatureDeformatter__ctor_m535201002 (RSAPKCS1SignatureDeformatter_t1504052144 * __this, const MethodInfo* method) { { AsymmetricSignatureDeformatter__ctor_m3630952218(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.RSAPKCS1SignatureDeformatter::.ctor(System.Security.Cryptography.AsymmetricAlgorithm) extern "C" void RSAPKCS1SignatureDeformatter__ctor_m3465174692 (RSAPKCS1SignatureDeformatter_t1504052144 * __this, AsymmetricAlgorithm_t4236534322 * ___key, const MethodInfo* method) { { AsymmetricSignatureDeformatter__ctor_m3630952218(__this, /*hidden argument*/NULL); AsymmetricAlgorithm_t4236534322 * L_0 = ___key; VirtActionInvoker1< AsymmetricAlgorithm_t4236534322 * >::Invoke(5 /* System.Void System.Security.Cryptography.RSAPKCS1SignatureDeformatter::SetKey(System.Security.Cryptography.AsymmetricAlgorithm) */, __this, L_0); return; } } // System.Void System.Security.Cryptography.RSAPKCS1SignatureDeformatter::SetHashAlgorithm(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2412391516; extern const uint32_t RSAPKCS1SignatureDeformatter_SetHashAlgorithm_m4108380169_MetadataUsageId; extern "C" void RSAPKCS1SignatureDeformatter_SetHashAlgorithm_m4108380169 (RSAPKCS1SignatureDeformatter_t1504052144 * __this, String_t* ___strName, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSAPKCS1SignatureDeformatter_SetHashAlgorithm_m4108380169_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___strName; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral2412391516, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { String_t* L_2 = ___strName; __this->set_hashName_1(L_2); return; } } // System.Void System.Security.Cryptography.RSAPKCS1SignatureDeformatter::SetKey(System.Security.Cryptography.AsymmetricAlgorithm) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* RSA_t1557565273_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral106079; extern const uint32_t RSAPKCS1SignatureDeformatter_SetKey_m3568250865_MetadataUsageId; extern "C" void RSAPKCS1SignatureDeformatter_SetKey_m3568250865 (RSAPKCS1SignatureDeformatter_t1504052144 * __this, AsymmetricAlgorithm_t4236534322 * ___key, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSAPKCS1SignatureDeformatter_SetKey_m3568250865_MetadataUsageId); s_Il2CppMethodIntialized = true; } { AsymmetricAlgorithm_t4236534322 * L_0 = ___key; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral106079, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { AsymmetricAlgorithm_t4236534322 * L_2 = ___key; __this->set_rsa_0(((RSA_t1557565273 *)CastclassClass(L_2, RSA_t1557565273_il2cpp_TypeInfo_var))); return; } } // System.Boolean System.Security.Cryptography.RSAPKCS1SignatureDeformatter::VerifySignature(System.Byte[],System.Byte[]) extern TypeInfo* CryptographicUnexpectedOperationException_t3594907801_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* PKCS1_t3821523995_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3468545150; extern Il2CppCodeGenString* _stringLiteral1153656087; extern Il2CppCodeGenString* _stringLiteral1137753979; extern Il2CppCodeGenString* _stringLiteral2427229803; extern const uint32_t RSAPKCS1SignatureDeformatter_VerifySignature_m2271699363_MetadataUsageId; extern "C" bool RSAPKCS1SignatureDeformatter_VerifySignature_m2271699363 (RSAPKCS1SignatureDeformatter_t1504052144 * __this, ByteU5BU5D_t58506160* ___rgbHash, ByteU5BU5D_t58506160* ___rgbSignature, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSAPKCS1SignatureDeformatter_VerifySignature_m2271699363_MetadataUsageId); s_Il2CppMethodIntialized = true; } { RSA_t1557565273 * L_0 = __this->get_rsa_0(); if (L_0) { goto IL_001b; } } { String_t* L_1 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral3468545150, /*hidden argument*/NULL); CryptographicUnexpectedOperationException_t3594907801 * L_2 = (CryptographicUnexpectedOperationException_t3594907801 *)il2cpp_codegen_object_new(CryptographicUnexpectedOperationException_t3594907801_il2cpp_TypeInfo_var); CryptographicUnexpectedOperationException__ctor_m1444713021(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001b: { String_t* L_3 = __this->get_hashName_1(); if (L_3) { goto IL_0036; } } { String_t* L_4 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1153656087, /*hidden argument*/NULL); CryptographicUnexpectedOperationException_t3594907801 * L_5 = (CryptographicUnexpectedOperationException_t3594907801 *)il2cpp_codegen_object_new(CryptographicUnexpectedOperationException_t3594907801_il2cpp_TypeInfo_var); CryptographicUnexpectedOperationException__ctor_m1444713021(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0036: { ByteU5BU5D_t58506160* L_6 = ___rgbHash; if (L_6) { goto IL_0047; } } { ArgumentNullException_t3214793280 * L_7 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_7, _stringLiteral1137753979, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0047: { ByteU5BU5D_t58506160* L_8 = ___rgbSignature; if (L_8) { goto IL_0058; } } { ArgumentNullException_t3214793280 * L_9 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_9, _stringLiteral2427229803, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_0058: { RSA_t1557565273 * L_10 = __this->get_rsa_0(); String_t* L_11 = __this->get_hashName_1(); HashAlgorithm_t24372250 * L_12 = HashAlgorithm_Create_m2014549577(NULL /*static, unused*/, L_11, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_13 = ___rgbHash; ByteU5BU5D_t58506160* L_14 = ___rgbSignature; IL2CPP_RUNTIME_CLASS_INIT(PKCS1_t3821523995_il2cpp_TypeInfo_var); bool L_15 = PKCS1_Verify_v15_m2792601436(NULL /*static, unused*/, L_10, L_12, L_13, L_14, /*hidden argument*/NULL); return L_15; } } // System.Void System.Security.Cryptography.RSAPKCS1SignatureFormatter::.ctor() extern "C" void RSAPKCS1SignatureFormatter__ctor_m3211354793 (RSAPKCS1SignatureFormatter_t370309777 * __this, const MethodInfo* method) { { AsymmetricSignatureFormatter__ctor_m497260761(__this, /*hidden argument*/NULL); return; } } // System.Byte[] System.Security.Cryptography.RSAPKCS1SignatureFormatter::CreateSignature(System.Byte[]) extern TypeInfo* CryptographicUnexpectedOperationException_t3594907801_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* PKCS1_t3821523995_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3019779851; extern Il2CppCodeGenString* _stringLiteral1153656087; extern Il2CppCodeGenString* _stringLiteral1137753979; extern const uint32_t RSAPKCS1SignatureFormatter_CreateSignature_m894707804_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* RSAPKCS1SignatureFormatter_CreateSignature_m894707804 (RSAPKCS1SignatureFormatter_t370309777 * __this, ByteU5BU5D_t58506160* ___rgbHash, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSAPKCS1SignatureFormatter_CreateSignature_m894707804_MetadataUsageId); s_Il2CppMethodIntialized = true; } { RSA_t1557565273 * L_0 = __this->get_rsa_0(); if (L_0) { goto IL_001b; } } { String_t* L_1 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral3019779851, /*hidden argument*/NULL); CryptographicUnexpectedOperationException_t3594907801 * L_2 = (CryptographicUnexpectedOperationException_t3594907801 *)il2cpp_codegen_object_new(CryptographicUnexpectedOperationException_t3594907801_il2cpp_TypeInfo_var); CryptographicUnexpectedOperationException__ctor_m1444713021(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001b: { HashAlgorithm_t24372250 * L_3 = __this->get_hash_1(); if (L_3) { goto IL_0036; } } { String_t* L_4 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1153656087, /*hidden argument*/NULL); CryptographicUnexpectedOperationException_t3594907801 * L_5 = (CryptographicUnexpectedOperationException_t3594907801 *)il2cpp_codegen_object_new(CryptographicUnexpectedOperationException_t3594907801_il2cpp_TypeInfo_var); CryptographicUnexpectedOperationException__ctor_m1444713021(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0036: { ByteU5BU5D_t58506160* L_6 = ___rgbHash; if (L_6) { goto IL_0047; } } { ArgumentNullException_t3214793280 * L_7 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_7, _stringLiteral1137753979, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0047: { RSA_t1557565273 * L_8 = __this->get_rsa_0(); HashAlgorithm_t24372250 * L_9 = __this->get_hash_1(); ByteU5BU5D_t58506160* L_10 = ___rgbHash; IL2CPP_RUNTIME_CLASS_INIT(PKCS1_t3821523995_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_11 = PKCS1_Sign_v15_m3245483309(NULL /*static, unused*/, L_8, L_9, L_10, /*hidden argument*/NULL); return L_11; } } // System.Void System.Security.Cryptography.RSAPKCS1SignatureFormatter::SetHashAlgorithm(System.String) extern "C" void RSAPKCS1SignatureFormatter_SetHashAlgorithm_m15087816 (RSAPKCS1SignatureFormatter_t370309777 * __this, String_t* ___strName, const MethodInfo* method) { { String_t* L_0 = ___strName; HashAlgorithm_t24372250 * L_1 = HashAlgorithm_Create_m2014549577(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); __this->set_hash_1(L_1); return; } } // System.Void System.Security.Cryptography.RSAPKCS1SignatureFormatter::SetKey(System.Security.Cryptography.AsymmetricAlgorithm) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* RSA_t1557565273_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral106079; extern const uint32_t RSAPKCS1SignatureFormatter_SetKey_m862512146_MetadataUsageId; extern "C" void RSAPKCS1SignatureFormatter_SetKey_m862512146 (RSAPKCS1SignatureFormatter_t370309777 * __this, AsymmetricAlgorithm_t4236534322 * ___key, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (RSAPKCS1SignatureFormatter_SetKey_m862512146_MetadataUsageId); s_Il2CppMethodIntialized = true; } { AsymmetricAlgorithm_t4236534322 * L_0 = ___key; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral106079, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { AsymmetricAlgorithm_t4236534322 * L_2 = ___key; __this->set_rsa_0(((RSA_t1557565273 *)CastclassClass(L_2, RSA_t1557565273_il2cpp_TypeInfo_var))); return; } } // System.Void System.Security.Cryptography.SHA1::.ctor() extern "C" void SHA1__ctor_m910599164 (SHA1_t1560027742 * __this, const MethodInfo* method) { { HashAlgorithm__ctor_m1204858244(__this, /*hidden argument*/NULL); ((HashAlgorithm_t24372250 *)__this)->set_HashSizeValue_1(((int32_t)160)); return; } } // System.Security.Cryptography.SHA1 System.Security.Cryptography.SHA1::Create() extern Il2CppCodeGenString* _stringLiteral2419460280; extern const uint32_t SHA1_Create_m2764862537_MetadataUsageId; extern "C" SHA1_t1560027742 * SHA1_Create_m2764862537 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA1_Create_m2764862537_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SHA1_t1560027742 * L_0 = SHA1_Create_m1152395609(NULL /*static, unused*/, _stringLiteral2419460280, /*hidden argument*/NULL); return L_0; } } // System.Security.Cryptography.SHA1 System.Security.Cryptography.SHA1::Create(System.String) extern TypeInfo* CryptoConfig_t2102571196_il2cpp_TypeInfo_var; extern TypeInfo* SHA1_t1560027742_il2cpp_TypeInfo_var; extern const uint32_t SHA1_Create_m1152395609_MetadataUsageId; extern "C" SHA1_t1560027742 * SHA1_Create_m1152395609 (Il2CppObject * __this /* static, unused */, String_t* ___hashName, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA1_Create_m1152395609_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___hashName; IL2CPP_RUNTIME_CLASS_INIT(CryptoConfig_t2102571196_il2cpp_TypeInfo_var); Il2CppObject * L_1 = CryptoConfig_CreateFromName_m3477093824(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); return ((SHA1_t1560027742 *)CastclassClass(L_1, SHA1_t1560027742_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.SHA1CryptoServiceProvider::.ctor() extern TypeInfo* SHA1Internal_t1230592059_il2cpp_TypeInfo_var; extern const uint32_t SHA1CryptoServiceProvider__ctor_m2094228389_MetadataUsageId; extern "C" void SHA1CryptoServiceProvider__ctor_m2094228389 (SHA1CryptoServiceProvider_t2229084633 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA1CryptoServiceProvider__ctor_m2094228389_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SHA1__ctor_m910599164(__this, /*hidden argument*/NULL); SHA1Internal_t1230592059 * L_0 = (SHA1Internal_t1230592059 *)il2cpp_codegen_object_new(SHA1Internal_t1230592059_il2cpp_TypeInfo_var); SHA1Internal__ctor_m2779764927(L_0, /*hidden argument*/NULL); __this->set_sha_4(L_0); return; } } // System.Void System.Security.Cryptography.SHA1CryptoServiceProvider::Finalize() extern "C" void SHA1CryptoServiceProvider_Finalize_m565501597 (SHA1CryptoServiceProvider_t2229084633 * __this, const MethodInfo* method) { Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); IL_0000: try { // begin try (depth: 1) SHA1CryptoServiceProvider_Dispose_m1115384985(__this, (bool)0, /*hidden argument*/NULL); IL2CPP_LEAVE(0x13, FINALLY_000c); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_000c; } FINALLY_000c: { // begin finally (depth: 1) Object_Finalize_m3027285644(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(12) } // end finally (depth: 1) IL2CPP_CLEANUP(12) { IL2CPP_JUMP_TBL(0x13, IL_0013) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0013: { return; } } // System.Void System.Security.Cryptography.SHA1CryptoServiceProvider::Dispose(System.Boolean) extern "C" void SHA1CryptoServiceProvider_Dispose_m1115384985 (SHA1CryptoServiceProvider_t2229084633 * __this, bool ___disposing, const MethodInfo* method) { { bool L_0 = ___disposing; HashAlgorithm_Dispose_m666835064(__this, L_0, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.SHA1CryptoServiceProvider::HashCore(System.Byte[],System.Int32,System.Int32) extern "C" void SHA1CryptoServiceProvider_HashCore_m221312477 (SHA1CryptoServiceProvider_t2229084633 * __this, ByteU5BU5D_t58506160* ___rgb, int32_t ___ibStart, int32_t ___cbSize, const MethodInfo* method) { { ((HashAlgorithm_t24372250 *)__this)->set_State_2(1); SHA1Internal_t1230592059 * L_0 = __this->get_sha_4(); ByteU5BU5D_t58506160* L_1 = ___rgb; int32_t L_2 = ___ibStart; int32_t L_3 = ___cbSize; NullCheck(L_0); SHA1Internal_HashCore_m2471520887(L_0, L_1, L_2, L_3, /*hidden argument*/NULL); return; } } // System.Byte[] System.Security.Cryptography.SHA1CryptoServiceProvider::HashFinal() extern "C" ByteU5BU5D_t58506160* SHA1CryptoServiceProvider_HashFinal_m642464225 (SHA1CryptoServiceProvider_t2229084633 * __this, const MethodInfo* method) { { ((HashAlgorithm_t24372250 *)__this)->set_State_2(0); SHA1Internal_t1230592059 * L_0 = __this->get_sha_4(); NullCheck(L_0); ByteU5BU5D_t58506160* L_1 = SHA1Internal_HashFinal_m844484623(L_0, /*hidden argument*/NULL); return L_1; } } // System.Void System.Security.Cryptography.SHA1CryptoServiceProvider::Initialize() extern "C" void SHA1CryptoServiceProvider_Initialize_m3436081679 (SHA1CryptoServiceProvider_t2229084633 * __this, const MethodInfo* method) { { SHA1Internal_t1230592059 * L_0 = __this->get_sha_4(); NullCheck(L_0); SHA1Internal_Initialize_m2698059061(L_0, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.SHA1Internal::.ctor() extern TypeInfo* UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t SHA1Internal__ctor_m2779764927_MetadataUsageId; extern "C" void SHA1Internal__ctor_m2779764927 (SHA1Internal_t1230592059 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA1Internal__ctor_m2779764927_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); __this->set__H_0(((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)5))); __this->set__ProcessingBuffer_2(((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)64)))); __this->set_buff_4(((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)80)))); SHA1Internal_Initialize_m2698059061(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.SHA1Internal::HashCore(System.Byte[],System.Int32,System.Int32) extern "C" void SHA1Internal_HashCore_m2471520887 (SHA1Internal_t1230592059 * __this, ByteU5BU5D_t58506160* ___rgb, int32_t ___ibStart, int32_t ___cbSize, const MethodInfo* method) { int32_t V_0 = 0; { int32_t L_0 = __this->get__ProcessingBufferCount_3(); if (!L_0) { goto IL_0079; } } { int32_t L_1 = ___cbSize; int32_t L_2 = __this->get__ProcessingBufferCount_3(); if ((((int32_t)L_1) >= ((int32_t)((int32_t)((int32_t)((int32_t)64)-(int32_t)L_2))))) { goto IL_003d; } } { ByteU5BU5D_t58506160* L_3 = ___rgb; int32_t L_4 = ___ibStart; ByteU5BU5D_t58506160* L_5 = __this->get__ProcessingBuffer_2(); int32_t L_6 = __this->get__ProcessingBufferCount_3(); int32_t L_7 = ___cbSize; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_3, L_4, (Il2CppArray *)(Il2CppArray *)L_5, L_6, L_7, /*hidden argument*/NULL); int32_t L_8 = __this->get__ProcessingBufferCount_3(); int32_t L_9 = ___cbSize; __this->set__ProcessingBufferCount_3(((int32_t)((int32_t)L_8+(int32_t)L_9))); return; } IL_003d: { int32_t L_10 = __this->get__ProcessingBufferCount_3(); V_0 = ((int32_t)((int32_t)((int32_t)64)-(int32_t)L_10)); ByteU5BU5D_t58506160* L_11 = ___rgb; int32_t L_12 = ___ibStart; ByteU5BU5D_t58506160* L_13 = __this->get__ProcessingBuffer_2(); int32_t L_14 = __this->get__ProcessingBufferCount_3(); int32_t L_15 = V_0; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_11, L_12, (Il2CppArray *)(Il2CppArray *)L_13, L_14, L_15, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_16 = __this->get__ProcessingBuffer_2(); SHA1Internal_ProcessBlock_m2806549466(__this, L_16, 0, /*hidden argument*/NULL); __this->set__ProcessingBufferCount_3(0); int32_t L_17 = ___ibStart; int32_t L_18 = V_0; ___ibStart = ((int32_t)((int32_t)L_17+(int32_t)L_18)); int32_t L_19 = ___cbSize; int32_t L_20 = V_0; ___cbSize = ((int32_t)((int32_t)L_19-(int32_t)L_20)); } IL_0079: { V_0 = 0; goto IL_008f; } IL_0080: { ByteU5BU5D_t58506160* L_21 = ___rgb; int32_t L_22 = ___ibStart; int32_t L_23 = V_0; SHA1Internal_ProcessBlock_m2806549466(__this, L_21, ((int32_t)((int32_t)L_22+(int32_t)L_23)), /*hidden argument*/NULL); int32_t L_24 = V_0; V_0 = ((int32_t)((int32_t)L_24+(int32_t)((int32_t)64))); } IL_008f: { int32_t L_25 = V_0; int32_t L_26 = ___cbSize; int32_t L_27 = ___cbSize; if ((((int32_t)L_25) < ((int32_t)((int32_t)((int32_t)L_26-(int32_t)((int32_t)((int32_t)L_27%(int32_t)((int32_t)64)))))))) { goto IL_0080; } } { int32_t L_28 = ___cbSize; if (!((int32_t)((int32_t)L_28%(int32_t)((int32_t)64)))) { goto IL_00c7; } } { ByteU5BU5D_t58506160* L_29 = ___rgb; int32_t L_30 = ___cbSize; int32_t L_31 = ___cbSize; int32_t L_32 = ___ibStart; ByteU5BU5D_t58506160* L_33 = __this->get__ProcessingBuffer_2(); int32_t L_34 = ___cbSize; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_29, ((int32_t)((int32_t)((int32_t)((int32_t)L_30-(int32_t)((int32_t)((int32_t)L_31%(int32_t)((int32_t)64)))))+(int32_t)L_32)), (Il2CppArray *)(Il2CppArray *)L_33, 0, ((int32_t)((int32_t)L_34%(int32_t)((int32_t)64))), /*hidden argument*/NULL); int32_t L_35 = ___cbSize; __this->set__ProcessingBufferCount_3(((int32_t)((int32_t)L_35%(int32_t)((int32_t)64)))); } IL_00c7: { return; } } // System.Byte[] System.Security.Cryptography.SHA1Internal::HashFinal() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t SHA1Internal_HashFinal_m844484623_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* SHA1Internal_HashFinal_m844484623 (SHA1Internal_t1230592059 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA1Internal_HashFinal_m844484623_MetadataUsageId); s_Il2CppMethodIntialized = true; } ByteU5BU5D_t58506160* V_0 = NULL; int32_t V_1 = 0; int32_t V_2 = 0; { V_0 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)20))); ByteU5BU5D_t58506160* L_0 = __this->get__ProcessingBuffer_2(); int32_t L_1 = __this->get__ProcessingBufferCount_3(); SHA1Internal_ProcessFinalBlock_m1828667302(__this, L_0, 0, L_1, /*hidden argument*/NULL); V_1 = 0; goto IL_0051; } IL_0022: { V_2 = 0; goto IL_0046; } IL_0029: { ByteU5BU5D_t58506160* L_2 = V_0; int32_t L_3 = V_1; int32_t L_4 = V_2; UInt32U5BU5D_t2133601851* L_5 = __this->get__H_0(); int32_t L_6 = V_1; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, L_6); int32_t L_7 = L_6; int32_t L_8 = V_2; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, ((int32_t)((int32_t)((int32_t)((int32_t)L_3*(int32_t)4))+(int32_t)L_4))); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)((int32_t)((int32_t)L_3*(int32_t)4))+(int32_t)L_4))), (uint8_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))>>((int32_t)((int32_t)((int32_t)((int32_t)8*(int32_t)((int32_t)((int32_t)3-(int32_t)L_8))))&(int32_t)((int32_t)31))))))))); int32_t L_9 = V_2; V_2 = ((int32_t)((int32_t)L_9+(int32_t)1)); } IL_0046: { int32_t L_10 = V_2; if ((((int32_t)L_10) < ((int32_t)4))) { goto IL_0029; } } { int32_t L_11 = V_1; V_1 = ((int32_t)((int32_t)L_11+(int32_t)1)); } IL_0051: { int32_t L_12 = V_1; if ((((int32_t)L_12) < ((int32_t)5))) { goto IL_0022; } } { ByteU5BU5D_t58506160* L_13 = V_0; return L_13; } } // System.Void System.Security.Cryptography.SHA1Internal::Initialize() extern "C" void SHA1Internal_Initialize_m2698059061 (SHA1Internal_t1230592059 * __this, const MethodInfo* method) { { __this->set_count_1((((int64_t)((int64_t)0)))); __this->set__ProcessingBufferCount_3(0); UInt32U5BU5D_t2133601851* L_0 = __this->get__H_0(); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint32_t)((int32_t)1732584193)); UInt32U5BU5D_t2133601851* L_1 = __this->get__H_0(); NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 1); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint32_t)((int32_t)-271733879)); UInt32U5BU5D_t2133601851* L_2 = __this->get__H_0(); NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 2); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint32_t)((int32_t)-1732584194)); UInt32U5BU5D_t2133601851* L_3 = __this->get__H_0(); NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 3); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint32_t)((int32_t)271733878)); UInt32U5BU5D_t2133601851* L_4 = __this->get__H_0(); NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 4); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint32_t)((int32_t)-1009589776)); return; } } // System.Void System.Security.Cryptography.SHA1Internal::ProcessBlock(System.Byte[],System.UInt32) extern "C" void SHA1Internal_ProcessBlock_m2806549466 (SHA1Internal_t1230592059 * __this, ByteU5BU5D_t58506160* ___inputBuffer, uint32_t ___inputOffset, const MethodInfo* method) { uint32_t V_0 = 0; uint32_t V_1 = 0; uint32_t V_2 = 0; uint32_t V_3 = 0; uint32_t V_4 = 0; UInt32U5BU5D_t2133601851* V_5 = NULL; UInt32U5BU5D_t2133601851* V_6 = NULL; int32_t V_7 = 0; { uint64_t L_0 = __this->get_count_1(); __this->set_count_1(((int64_t)((int64_t)L_0+(int64_t)(((int64_t)((int64_t)((int32_t)64))))))); UInt32U5BU5D_t2133601851* L_1 = __this->get__H_0(); V_5 = L_1; UInt32U5BU5D_t2133601851* L_2 = __this->get_buff_4(); V_6 = L_2; UInt32U5BU5D_t2133601851* L_3 = V_6; ByteU5BU5D_t58506160* L_4 = ___inputBuffer; uint32_t L_5 = ___inputOffset; SHA1Internal_InitialiseBuff_m1659676512(NULL /*static, unused*/, L_3, L_4, L_5, /*hidden argument*/NULL); UInt32U5BU5D_t2133601851* L_6 = V_6; SHA1Internal_FillBuff_m3885846173(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); UInt32U5BU5D_t2133601851* L_7 = V_5; NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, 0); int32_t L_8 = 0; V_0 = ((L_7)->GetAt(static_cast<il2cpp_array_size_t>(L_8))); UInt32U5BU5D_t2133601851* L_9 = V_5; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, 1); int32_t L_10 = 1; V_1 = ((L_9)->GetAt(static_cast<il2cpp_array_size_t>(L_10))); UInt32U5BU5D_t2133601851* L_11 = V_5; NullCheck(L_11); IL2CPP_ARRAY_BOUNDS_CHECK(L_11, 2); int32_t L_12 = 2; V_2 = ((L_11)->GetAt(static_cast<il2cpp_array_size_t>(L_12))); UInt32U5BU5D_t2133601851* L_13 = V_5; NullCheck(L_13); IL2CPP_ARRAY_BOUNDS_CHECK(L_13, 3); int32_t L_14 = 3; V_3 = ((L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_14))); UInt32U5BU5D_t2133601851* L_15 = V_5; NullCheck(L_15); IL2CPP_ARRAY_BOUNDS_CHECK(L_15, 4); int32_t L_16 = 4; V_4 = ((L_15)->GetAt(static_cast<il2cpp_array_size_t>(L_16))); V_7 = 0; goto IL_0133; } IL_0052: { uint32_t L_17 = V_4; uint32_t L_18 = V_0; uint32_t L_19 = V_0; uint32_t L_20 = V_2; uint32_t L_21 = V_3; uint32_t L_22 = V_1; uint32_t L_23 = V_3; UInt32U5BU5D_t2133601851* L_24 = V_6; int32_t L_25 = V_7; NullCheck(L_24); IL2CPP_ARRAY_BOUNDS_CHECK(L_24, L_25); int32_t L_26 = L_25; V_4 = ((int32_t)((int32_t)L_17+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_18<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_19>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_20^(int32_t)L_21))&(int32_t)L_22))^(int32_t)L_23))))+(int32_t)((int32_t)1518500249)))+(int32_t)((L_24)->GetAt(static_cast<il2cpp_array_size_t>(L_26))))))); uint32_t L_27 = V_1; uint32_t L_28 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_27<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_28>>2)))); uint32_t L_29 = V_3; uint32_t L_30 = V_4; uint32_t L_31 = V_4; uint32_t L_32 = V_1; uint32_t L_33 = V_2; uint32_t L_34 = V_0; uint32_t L_35 = V_2; UInt32U5BU5D_t2133601851* L_36 = V_6; int32_t L_37 = V_7; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, ((int32_t)((int32_t)L_37+(int32_t)1))); int32_t L_38 = ((int32_t)((int32_t)L_37+(int32_t)1)); V_3 = ((int32_t)((int32_t)L_29+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_30<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_31>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_32^(int32_t)L_33))&(int32_t)L_34))^(int32_t)L_35))))+(int32_t)((int32_t)1518500249)))+(int32_t)((L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_38))))))); uint32_t L_39 = V_0; uint32_t L_40 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_39<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_40>>2)))); uint32_t L_41 = V_2; uint32_t L_42 = V_3; uint32_t L_43 = V_3; uint32_t L_44 = V_0; uint32_t L_45 = V_1; uint32_t L_46 = V_4; uint32_t L_47 = V_1; UInt32U5BU5D_t2133601851* L_48 = V_6; int32_t L_49 = V_7; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, ((int32_t)((int32_t)L_49+(int32_t)2))); int32_t L_50 = ((int32_t)((int32_t)L_49+(int32_t)2)); V_2 = ((int32_t)((int32_t)L_41+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_42<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_43>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_44^(int32_t)L_45))&(int32_t)L_46))^(int32_t)L_47))))+(int32_t)((int32_t)1518500249)))+(int32_t)((L_48)->GetAt(static_cast<il2cpp_array_size_t>(L_50))))))); uint32_t L_51 = V_4; uint32_t L_52 = V_4; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)L_51<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_52>>2)))); uint32_t L_53 = V_1; uint32_t L_54 = V_2; uint32_t L_55 = V_2; uint32_t L_56 = V_4; uint32_t L_57 = V_0; uint32_t L_58 = V_3; uint32_t L_59 = V_0; UInt32U5BU5D_t2133601851* L_60 = V_6; int32_t L_61 = V_7; NullCheck(L_60); IL2CPP_ARRAY_BOUNDS_CHECK(L_60, ((int32_t)((int32_t)L_61+(int32_t)3))); int32_t L_62 = ((int32_t)((int32_t)L_61+(int32_t)3)); V_1 = ((int32_t)((int32_t)L_53+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_54<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_55>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_56^(int32_t)L_57))&(int32_t)L_58))^(int32_t)L_59))))+(int32_t)((int32_t)1518500249)))+(int32_t)((L_60)->GetAt(static_cast<il2cpp_array_size_t>(L_62))))))); uint32_t L_63 = V_3; uint32_t L_64 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_63<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_64>>2)))); uint32_t L_65 = V_0; uint32_t L_66 = V_1; uint32_t L_67 = V_1; uint32_t L_68 = V_3; uint32_t L_69 = V_4; uint32_t L_70 = V_2; uint32_t L_71 = V_4; UInt32U5BU5D_t2133601851* L_72 = V_6; int32_t L_73 = V_7; NullCheck(L_72); IL2CPP_ARRAY_BOUNDS_CHECK(L_72, ((int32_t)((int32_t)L_73+(int32_t)4))); int32_t L_74 = ((int32_t)((int32_t)L_73+(int32_t)4)); V_0 = ((int32_t)((int32_t)L_65+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_66<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_67>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_68^(int32_t)L_69))&(int32_t)L_70))^(int32_t)L_71))))+(int32_t)((int32_t)1518500249)))+(int32_t)((L_72)->GetAt(static_cast<il2cpp_array_size_t>(L_74))))))); uint32_t L_75 = V_2; uint32_t L_76 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_75<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_76>>2)))); int32_t L_77 = V_7; V_7 = ((int32_t)((int32_t)L_77+(int32_t)5)); } IL_0133: { int32_t L_78 = V_7; if ((((int32_t)L_78) < ((int32_t)((int32_t)20)))) { goto IL_0052; } } { goto IL_0217; } IL_0141: { uint32_t L_79 = V_4; uint32_t L_80 = V_0; uint32_t L_81 = V_0; uint32_t L_82 = V_1; uint32_t L_83 = V_2; uint32_t L_84 = V_3; UInt32U5BU5D_t2133601851* L_85 = V_6; int32_t L_86 = V_7; NullCheck(L_85); IL2CPP_ARRAY_BOUNDS_CHECK(L_85, L_86); int32_t L_87 = L_86; V_4 = ((int32_t)((int32_t)L_79+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_80<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_81>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_82^(int32_t)L_83))^(int32_t)L_84))))+(int32_t)((int32_t)1859775393)))+(int32_t)((L_85)->GetAt(static_cast<il2cpp_array_size_t>(L_87))))))); uint32_t L_88 = V_1; uint32_t L_89 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_88<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_89>>2)))); uint32_t L_90 = V_3; uint32_t L_91 = V_4; uint32_t L_92 = V_4; uint32_t L_93 = V_0; uint32_t L_94 = V_1; uint32_t L_95 = V_2; UInt32U5BU5D_t2133601851* L_96 = V_6; int32_t L_97 = V_7; NullCheck(L_96); IL2CPP_ARRAY_BOUNDS_CHECK(L_96, ((int32_t)((int32_t)L_97+(int32_t)1))); int32_t L_98 = ((int32_t)((int32_t)L_97+(int32_t)1)); V_3 = ((int32_t)((int32_t)L_90+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_91<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_92>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_93^(int32_t)L_94))^(int32_t)L_95))))+(int32_t)((int32_t)1859775393)))+(int32_t)((L_96)->GetAt(static_cast<il2cpp_array_size_t>(L_98))))))); uint32_t L_99 = V_0; uint32_t L_100 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_99<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_100>>2)))); uint32_t L_101 = V_2; uint32_t L_102 = V_3; uint32_t L_103 = V_3; uint32_t L_104 = V_4; uint32_t L_105 = V_0; uint32_t L_106 = V_1; UInt32U5BU5D_t2133601851* L_107 = V_6; int32_t L_108 = V_7; NullCheck(L_107); IL2CPP_ARRAY_BOUNDS_CHECK(L_107, ((int32_t)((int32_t)L_108+(int32_t)2))); int32_t L_109 = ((int32_t)((int32_t)L_108+(int32_t)2)); V_2 = ((int32_t)((int32_t)L_101+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_102<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_103>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_104^(int32_t)L_105))^(int32_t)L_106))))+(int32_t)((int32_t)1859775393)))+(int32_t)((L_107)->GetAt(static_cast<il2cpp_array_size_t>(L_109))))))); uint32_t L_110 = V_4; uint32_t L_111 = V_4; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)L_110<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_111>>2)))); uint32_t L_112 = V_1; uint32_t L_113 = V_2; uint32_t L_114 = V_2; uint32_t L_115 = V_3; uint32_t L_116 = V_4; uint32_t L_117 = V_0; UInt32U5BU5D_t2133601851* L_118 = V_6; int32_t L_119 = V_7; NullCheck(L_118); IL2CPP_ARRAY_BOUNDS_CHECK(L_118, ((int32_t)((int32_t)L_119+(int32_t)3))); int32_t L_120 = ((int32_t)((int32_t)L_119+(int32_t)3)); V_1 = ((int32_t)((int32_t)L_112+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_113<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_114>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_115^(int32_t)L_116))^(int32_t)L_117))))+(int32_t)((int32_t)1859775393)))+(int32_t)((L_118)->GetAt(static_cast<il2cpp_array_size_t>(L_120))))))); uint32_t L_121 = V_3; uint32_t L_122 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_121<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_122>>2)))); uint32_t L_123 = V_0; uint32_t L_124 = V_1; uint32_t L_125 = V_1; uint32_t L_126 = V_2; uint32_t L_127 = V_3; uint32_t L_128 = V_4; UInt32U5BU5D_t2133601851* L_129 = V_6; int32_t L_130 = V_7; NullCheck(L_129); IL2CPP_ARRAY_BOUNDS_CHECK(L_129, ((int32_t)((int32_t)L_130+(int32_t)4))); int32_t L_131 = ((int32_t)((int32_t)L_130+(int32_t)4)); V_0 = ((int32_t)((int32_t)L_123+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_124<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_125>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_126^(int32_t)L_127))^(int32_t)L_128))))+(int32_t)((int32_t)1859775393)))+(int32_t)((L_129)->GetAt(static_cast<il2cpp_array_size_t>(L_131))))))); uint32_t L_132 = V_2; uint32_t L_133 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_132<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_133>>2)))); int32_t L_134 = V_7; V_7 = ((int32_t)((int32_t)L_134+(int32_t)5)); } IL_0217: { int32_t L_135 = V_7; if ((((int32_t)L_135) < ((int32_t)((int32_t)40)))) { goto IL_0141; } } { goto IL_031c; } IL_0225: { uint32_t L_136 = V_4; uint32_t L_137 = V_0; uint32_t L_138 = V_0; uint32_t L_139 = V_1; uint32_t L_140 = V_2; uint32_t L_141 = V_1; uint32_t L_142 = V_3; uint32_t L_143 = V_2; uint32_t L_144 = V_3; UInt32U5BU5D_t2133601851* L_145 = V_6; int32_t L_146 = V_7; NullCheck(L_145); IL2CPP_ARRAY_BOUNDS_CHECK(L_145, L_146); int32_t L_147 = L_146; V_4 = ((int32_t)((int32_t)L_136+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_137<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_138>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_139&(int32_t)L_140))|(int32_t)((int32_t)((int32_t)L_141&(int32_t)L_142))))|(int32_t)((int32_t)((int32_t)L_143&(int32_t)L_144))))))+(int32_t)((int32_t)-1894007588)))+(int32_t)((L_145)->GetAt(static_cast<il2cpp_array_size_t>(L_147))))))); uint32_t L_148 = V_1; uint32_t L_149 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_148<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_149>>2)))); uint32_t L_150 = V_3; uint32_t L_151 = V_4; uint32_t L_152 = V_4; uint32_t L_153 = V_0; uint32_t L_154 = V_1; uint32_t L_155 = V_0; uint32_t L_156 = V_2; uint32_t L_157 = V_1; uint32_t L_158 = V_2; UInt32U5BU5D_t2133601851* L_159 = V_6; int32_t L_160 = V_7; NullCheck(L_159); IL2CPP_ARRAY_BOUNDS_CHECK(L_159, ((int32_t)((int32_t)L_160+(int32_t)1))); int32_t L_161 = ((int32_t)((int32_t)L_160+(int32_t)1)); V_3 = ((int32_t)((int32_t)L_150+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_151<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_152>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_153&(int32_t)L_154))|(int32_t)((int32_t)((int32_t)L_155&(int32_t)L_156))))|(int32_t)((int32_t)((int32_t)L_157&(int32_t)L_158))))))+(int32_t)((int32_t)-1894007588)))+(int32_t)((L_159)->GetAt(static_cast<il2cpp_array_size_t>(L_161))))))); uint32_t L_162 = V_0; uint32_t L_163 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_162<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_163>>2)))); uint32_t L_164 = V_2; uint32_t L_165 = V_3; uint32_t L_166 = V_3; uint32_t L_167 = V_4; uint32_t L_168 = V_0; uint32_t L_169 = V_4; uint32_t L_170 = V_1; uint32_t L_171 = V_0; uint32_t L_172 = V_1; UInt32U5BU5D_t2133601851* L_173 = V_6; int32_t L_174 = V_7; NullCheck(L_173); IL2CPP_ARRAY_BOUNDS_CHECK(L_173, ((int32_t)((int32_t)L_174+(int32_t)2))); int32_t L_175 = ((int32_t)((int32_t)L_174+(int32_t)2)); V_2 = ((int32_t)((int32_t)L_164+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_165<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_166>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_167&(int32_t)L_168))|(int32_t)((int32_t)((int32_t)L_169&(int32_t)L_170))))|(int32_t)((int32_t)((int32_t)L_171&(int32_t)L_172))))))+(int32_t)((int32_t)-1894007588)))+(int32_t)((L_173)->GetAt(static_cast<il2cpp_array_size_t>(L_175))))))); uint32_t L_176 = V_4; uint32_t L_177 = V_4; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)L_176<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_177>>2)))); uint32_t L_178 = V_1; uint32_t L_179 = V_2; uint32_t L_180 = V_2; uint32_t L_181 = V_3; uint32_t L_182 = V_4; uint32_t L_183 = V_3; uint32_t L_184 = V_0; uint32_t L_185 = V_4; uint32_t L_186 = V_0; UInt32U5BU5D_t2133601851* L_187 = V_6; int32_t L_188 = V_7; NullCheck(L_187); IL2CPP_ARRAY_BOUNDS_CHECK(L_187, ((int32_t)((int32_t)L_188+(int32_t)3))); int32_t L_189 = ((int32_t)((int32_t)L_188+(int32_t)3)); V_1 = ((int32_t)((int32_t)L_178+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_179<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_180>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_181&(int32_t)L_182))|(int32_t)((int32_t)((int32_t)L_183&(int32_t)L_184))))|(int32_t)((int32_t)((int32_t)L_185&(int32_t)L_186))))))+(int32_t)((int32_t)-1894007588)))+(int32_t)((L_187)->GetAt(static_cast<il2cpp_array_size_t>(L_189))))))); uint32_t L_190 = V_3; uint32_t L_191 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_190<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_191>>2)))); uint32_t L_192 = V_0; uint32_t L_193 = V_1; uint32_t L_194 = V_1; uint32_t L_195 = V_2; uint32_t L_196 = V_3; uint32_t L_197 = V_2; uint32_t L_198 = V_4; uint32_t L_199 = V_3; uint32_t L_200 = V_4; UInt32U5BU5D_t2133601851* L_201 = V_6; int32_t L_202 = V_7; NullCheck(L_201); IL2CPP_ARRAY_BOUNDS_CHECK(L_201, ((int32_t)((int32_t)L_202+(int32_t)4))); int32_t L_203 = ((int32_t)((int32_t)L_202+(int32_t)4)); V_0 = ((int32_t)((int32_t)L_192+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_193<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_194>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_195&(int32_t)L_196))|(int32_t)((int32_t)((int32_t)L_197&(int32_t)L_198))))|(int32_t)((int32_t)((int32_t)L_199&(int32_t)L_200))))))+(int32_t)((int32_t)-1894007588)))+(int32_t)((L_201)->GetAt(static_cast<il2cpp_array_size_t>(L_203))))))); uint32_t L_204 = V_2; uint32_t L_205 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_204<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_205>>2)))); int32_t L_206 = V_7; V_7 = ((int32_t)((int32_t)L_206+(int32_t)5)); } IL_031c: { int32_t L_207 = V_7; if ((((int32_t)L_207) < ((int32_t)((int32_t)60)))) { goto IL_0225; } } { goto IL_0400; } IL_032a: { uint32_t L_208 = V_4; uint32_t L_209 = V_0; uint32_t L_210 = V_0; uint32_t L_211 = V_1; uint32_t L_212 = V_2; uint32_t L_213 = V_3; UInt32U5BU5D_t2133601851* L_214 = V_6; int32_t L_215 = V_7; NullCheck(L_214); IL2CPP_ARRAY_BOUNDS_CHECK(L_214, L_215); int32_t L_216 = L_215; V_4 = ((int32_t)((int32_t)L_208+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_209<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_210>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_211^(int32_t)L_212))^(int32_t)L_213))))+(int32_t)((int32_t)-899497514)))+(int32_t)((L_214)->GetAt(static_cast<il2cpp_array_size_t>(L_216))))))); uint32_t L_217 = V_1; uint32_t L_218 = V_1; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_217<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_218>>2)))); uint32_t L_219 = V_3; uint32_t L_220 = V_4; uint32_t L_221 = V_4; uint32_t L_222 = V_0; uint32_t L_223 = V_1; uint32_t L_224 = V_2; UInt32U5BU5D_t2133601851* L_225 = V_6; int32_t L_226 = V_7; NullCheck(L_225); IL2CPP_ARRAY_BOUNDS_CHECK(L_225, ((int32_t)((int32_t)L_226+(int32_t)1))); int32_t L_227 = ((int32_t)((int32_t)L_226+(int32_t)1)); V_3 = ((int32_t)((int32_t)L_219+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_220<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_221>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_222^(int32_t)L_223))^(int32_t)L_224))))+(int32_t)((int32_t)-899497514)))+(int32_t)((L_225)->GetAt(static_cast<il2cpp_array_size_t>(L_227))))))); uint32_t L_228 = V_0; uint32_t L_229 = V_0; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_228<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_229>>2)))); uint32_t L_230 = V_2; uint32_t L_231 = V_3; uint32_t L_232 = V_3; uint32_t L_233 = V_4; uint32_t L_234 = V_0; uint32_t L_235 = V_1; UInt32U5BU5D_t2133601851* L_236 = V_6; int32_t L_237 = V_7; NullCheck(L_236); IL2CPP_ARRAY_BOUNDS_CHECK(L_236, ((int32_t)((int32_t)L_237+(int32_t)2))); int32_t L_238 = ((int32_t)((int32_t)L_237+(int32_t)2)); V_2 = ((int32_t)((int32_t)L_230+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_231<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_232>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_233^(int32_t)L_234))^(int32_t)L_235))))+(int32_t)((int32_t)-899497514)))+(int32_t)((L_236)->GetAt(static_cast<il2cpp_array_size_t>(L_238))))))); uint32_t L_239 = V_4; uint32_t L_240 = V_4; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)L_239<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_240>>2)))); uint32_t L_241 = V_1; uint32_t L_242 = V_2; uint32_t L_243 = V_2; uint32_t L_244 = V_3; uint32_t L_245 = V_4; uint32_t L_246 = V_0; UInt32U5BU5D_t2133601851* L_247 = V_6; int32_t L_248 = V_7; NullCheck(L_247); IL2CPP_ARRAY_BOUNDS_CHECK(L_247, ((int32_t)((int32_t)L_248+(int32_t)3))); int32_t L_249 = ((int32_t)((int32_t)L_248+(int32_t)3)); V_1 = ((int32_t)((int32_t)L_241+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_242<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_243>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_244^(int32_t)L_245))^(int32_t)L_246))))+(int32_t)((int32_t)-899497514)))+(int32_t)((L_247)->GetAt(static_cast<il2cpp_array_size_t>(L_249))))))); uint32_t L_250 = V_3; uint32_t L_251 = V_3; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_250<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_251>>2)))); uint32_t L_252 = V_0; uint32_t L_253 = V_1; uint32_t L_254 = V_1; uint32_t L_255 = V_2; uint32_t L_256 = V_3; uint32_t L_257 = V_4; UInt32U5BU5D_t2133601851* L_258 = V_6; int32_t L_259 = V_7; NullCheck(L_258); IL2CPP_ARRAY_BOUNDS_CHECK(L_258, ((int32_t)((int32_t)L_259+(int32_t)4))); int32_t L_260 = ((int32_t)((int32_t)L_259+(int32_t)4)); V_0 = ((int32_t)((int32_t)L_252+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_253<<(int32_t)5))|(int32_t)((int32_t)((uint32_t)L_254>>((int32_t)27)))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_255^(int32_t)L_256))^(int32_t)L_257))))+(int32_t)((int32_t)-899497514)))+(int32_t)((L_258)->GetAt(static_cast<il2cpp_array_size_t>(L_260))))))); uint32_t L_261 = V_2; uint32_t L_262 = V_2; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_261<<(int32_t)((int32_t)30)))|(int32_t)((int32_t)((uint32_t)L_262>>2)))); int32_t L_263 = V_7; V_7 = ((int32_t)((int32_t)L_263+(int32_t)5)); } IL_0400: { int32_t L_264 = V_7; if ((((int32_t)L_264) < ((int32_t)((int32_t)80)))) { goto IL_032a; } } { UInt32U5BU5D_t2133601851* L_265 = V_5; NullCheck(L_265); IL2CPP_ARRAY_BOUNDS_CHECK(L_265, 0); uint32_t* L_266 = ((L_265)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))); uint32_t L_267 = V_0; *((int32_t*)(L_266)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_266))+(int32_t)L_267)); UInt32U5BU5D_t2133601851* L_268 = V_5; NullCheck(L_268); IL2CPP_ARRAY_BOUNDS_CHECK(L_268, 1); uint32_t* L_269 = ((L_268)->GetAddressAt(static_cast<il2cpp_array_size_t>(1))); uint32_t L_270 = V_1; *((int32_t*)(L_269)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_269))+(int32_t)L_270)); UInt32U5BU5D_t2133601851* L_271 = V_5; NullCheck(L_271); IL2CPP_ARRAY_BOUNDS_CHECK(L_271, 2); uint32_t* L_272 = ((L_271)->GetAddressAt(static_cast<il2cpp_array_size_t>(2))); uint32_t L_273 = V_2; *((int32_t*)(L_272)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_272))+(int32_t)L_273)); UInt32U5BU5D_t2133601851* L_274 = V_5; NullCheck(L_274); IL2CPP_ARRAY_BOUNDS_CHECK(L_274, 3); uint32_t* L_275 = ((L_274)->GetAddressAt(static_cast<il2cpp_array_size_t>(3))); uint32_t L_276 = V_3; *((int32_t*)(L_275)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_275))+(int32_t)L_276)); UInt32U5BU5D_t2133601851* L_277 = V_5; NullCheck(L_277); IL2CPP_ARRAY_BOUNDS_CHECK(L_277, 4); uint32_t* L_278 = ((L_277)->GetAddressAt(static_cast<il2cpp_array_size_t>(4))); uint32_t L_279 = V_4; *((int32_t*)(L_278)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_278))+(int32_t)L_279)); return; } } // System.Void System.Security.Cryptography.SHA1Internal::InitialiseBuff(System.UInt32[],System.Byte[],System.UInt32) extern "C" void SHA1Internal_InitialiseBuff_m1659676512 (Il2CppObject * __this /* static, unused */, UInt32U5BU5D_t2133601851* ___buff, ByteU5BU5D_t58506160* ___input, uint32_t ___inputOffset, const MethodInfo* method) { { UInt32U5BU5D_t2133601851* L_0 = ___buff; ByteU5BU5D_t58506160* L_1 = ___input; uint32_t L_2 = ___inputOffset; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)L_2))); uintptr_t L_3 = (((uintptr_t)L_2)); ByteU5BU5D_t58506160* L_4 = ___input; uint32_t L_5 = ___inputOffset; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_5+(int32_t)1))))); uintptr_t L_6 = (((uintptr_t)((int32_t)((int32_t)L_5+(int32_t)1)))); ByteU5BU5D_t58506160* L_7 = ___input; uint32_t L_8 = ___inputOffset; NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_8+(int32_t)2))))); uintptr_t L_9 = (((uintptr_t)((int32_t)((int32_t)L_8+(int32_t)2)))); ByteU5BU5D_t58506160* L_10 = ___input; uint32_t L_11 = ___inputOffset; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_11+(int32_t)3))))); uintptr_t L_12 = (((uintptr_t)((int32_t)((int32_t)L_11+(int32_t)3)))); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_1)->GetAt(static_cast<il2cpp_array_size_t>(L_3)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_7)->GetAt(static_cast<il2cpp_array_size_t>(L_9)))<<(int32_t)8))))|(int32_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_12)))))); UInt32U5BU5D_t2133601851* L_13 = ___buff; ByteU5BU5D_t58506160* L_14 = ___input; uint32_t L_15 = ___inputOffset; NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_15+(int32_t)4))))); uintptr_t L_16 = (((uintptr_t)((int32_t)((int32_t)L_15+(int32_t)4)))); ByteU5BU5D_t58506160* L_17 = ___input; uint32_t L_18 = ___inputOffset; NullCheck(L_17); IL2CPP_ARRAY_BOUNDS_CHECK(L_17, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_18+(int32_t)5))))); uintptr_t L_19 = (((uintptr_t)((int32_t)((int32_t)L_18+(int32_t)5)))); ByteU5BU5D_t58506160* L_20 = ___input; uint32_t L_21 = ___inputOffset; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_21+(int32_t)6))))); uintptr_t L_22 = (((uintptr_t)((int32_t)((int32_t)L_21+(int32_t)6)))); ByteU5BU5D_t58506160* L_23 = ___input; uint32_t L_24 = ___inputOffset; NullCheck(L_23); IL2CPP_ARRAY_BOUNDS_CHECK(L_23, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_24+(int32_t)7))))); uintptr_t L_25 = (((uintptr_t)((int32_t)((int32_t)L_24+(int32_t)7)))); NullCheck(L_13); IL2CPP_ARRAY_BOUNDS_CHECK(L_13, 1); (L_13)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_16)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_17)->GetAt(static_cast<il2cpp_array_size_t>(L_19)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_22)))<<(int32_t)8))))|(int32_t)((L_23)->GetAt(static_cast<il2cpp_array_size_t>(L_25)))))); UInt32U5BU5D_t2133601851* L_26 = ___buff; ByteU5BU5D_t58506160* L_27 = ___input; uint32_t L_28 = ___inputOffset; NullCheck(L_27); IL2CPP_ARRAY_BOUNDS_CHECK(L_27, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_28+(int32_t)8))))); uintptr_t L_29 = (((uintptr_t)((int32_t)((int32_t)L_28+(int32_t)8)))); ByteU5BU5D_t58506160* L_30 = ___input; uint32_t L_31 = ___inputOffset; NullCheck(L_30); IL2CPP_ARRAY_BOUNDS_CHECK(L_30, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_31+(int32_t)((int32_t)9)))))); uintptr_t L_32 = (((uintptr_t)((int32_t)((int32_t)L_31+(int32_t)((int32_t)9))))); ByteU5BU5D_t58506160* L_33 = ___input; uint32_t L_34 = ___inputOffset; NullCheck(L_33); IL2CPP_ARRAY_BOUNDS_CHECK(L_33, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_34+(int32_t)((int32_t)10)))))); uintptr_t L_35 = (((uintptr_t)((int32_t)((int32_t)L_34+(int32_t)((int32_t)10))))); ByteU5BU5D_t58506160* L_36 = ___input; uint32_t L_37 = ___inputOffset; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_37+(int32_t)((int32_t)11)))))); uintptr_t L_38 = (((uintptr_t)((int32_t)((int32_t)L_37+(int32_t)((int32_t)11))))); NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, 2); (L_26)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_27)->GetAt(static_cast<il2cpp_array_size_t>(L_29)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_30)->GetAt(static_cast<il2cpp_array_size_t>(L_32)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_33)->GetAt(static_cast<il2cpp_array_size_t>(L_35)))<<(int32_t)8))))|(int32_t)((L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_38)))))); UInt32U5BU5D_t2133601851* L_39 = ___buff; ByteU5BU5D_t58506160* L_40 = ___input; uint32_t L_41 = ___inputOffset; NullCheck(L_40); IL2CPP_ARRAY_BOUNDS_CHECK(L_40, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_41+(int32_t)((int32_t)12)))))); uintptr_t L_42 = (((uintptr_t)((int32_t)((int32_t)L_41+(int32_t)((int32_t)12))))); ByteU5BU5D_t58506160* L_43 = ___input; uint32_t L_44 = ___inputOffset; NullCheck(L_43); IL2CPP_ARRAY_BOUNDS_CHECK(L_43, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_44+(int32_t)((int32_t)13)))))); uintptr_t L_45 = (((uintptr_t)((int32_t)((int32_t)L_44+(int32_t)((int32_t)13))))); ByteU5BU5D_t58506160* L_46 = ___input; uint32_t L_47 = ___inputOffset; NullCheck(L_46); IL2CPP_ARRAY_BOUNDS_CHECK(L_46, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_47+(int32_t)((int32_t)14)))))); uintptr_t L_48 = (((uintptr_t)((int32_t)((int32_t)L_47+(int32_t)((int32_t)14))))); ByteU5BU5D_t58506160* L_49 = ___input; uint32_t L_50 = ___inputOffset; NullCheck(L_49); IL2CPP_ARRAY_BOUNDS_CHECK(L_49, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_50+(int32_t)((int32_t)15)))))); uintptr_t L_51 = (((uintptr_t)((int32_t)((int32_t)L_50+(int32_t)((int32_t)15))))); NullCheck(L_39); IL2CPP_ARRAY_BOUNDS_CHECK(L_39, 3); (L_39)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_40)->GetAt(static_cast<il2cpp_array_size_t>(L_42)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_43)->GetAt(static_cast<il2cpp_array_size_t>(L_45)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_46)->GetAt(static_cast<il2cpp_array_size_t>(L_48)))<<(int32_t)8))))|(int32_t)((L_49)->GetAt(static_cast<il2cpp_array_size_t>(L_51)))))); UInt32U5BU5D_t2133601851* L_52 = ___buff; ByteU5BU5D_t58506160* L_53 = ___input; uint32_t L_54 = ___inputOffset; NullCheck(L_53); IL2CPP_ARRAY_BOUNDS_CHECK(L_53, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_54+(int32_t)((int32_t)16)))))); uintptr_t L_55 = (((uintptr_t)((int32_t)((int32_t)L_54+(int32_t)((int32_t)16))))); ByteU5BU5D_t58506160* L_56 = ___input; uint32_t L_57 = ___inputOffset; NullCheck(L_56); IL2CPP_ARRAY_BOUNDS_CHECK(L_56, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_57+(int32_t)((int32_t)17)))))); uintptr_t L_58 = (((uintptr_t)((int32_t)((int32_t)L_57+(int32_t)((int32_t)17))))); ByteU5BU5D_t58506160* L_59 = ___input; uint32_t L_60 = ___inputOffset; NullCheck(L_59); IL2CPP_ARRAY_BOUNDS_CHECK(L_59, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_60+(int32_t)((int32_t)18)))))); uintptr_t L_61 = (((uintptr_t)((int32_t)((int32_t)L_60+(int32_t)((int32_t)18))))); ByteU5BU5D_t58506160* L_62 = ___input; uint32_t L_63 = ___inputOffset; NullCheck(L_62); IL2CPP_ARRAY_BOUNDS_CHECK(L_62, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_63+(int32_t)((int32_t)19)))))); uintptr_t L_64 = (((uintptr_t)((int32_t)((int32_t)L_63+(int32_t)((int32_t)19))))); NullCheck(L_52); IL2CPP_ARRAY_BOUNDS_CHECK(L_52, 4); (L_52)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_53)->GetAt(static_cast<il2cpp_array_size_t>(L_55)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_56)->GetAt(static_cast<il2cpp_array_size_t>(L_58)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_59)->GetAt(static_cast<il2cpp_array_size_t>(L_61)))<<(int32_t)8))))|(int32_t)((L_62)->GetAt(static_cast<il2cpp_array_size_t>(L_64)))))); UInt32U5BU5D_t2133601851* L_65 = ___buff; ByteU5BU5D_t58506160* L_66 = ___input; uint32_t L_67 = ___inputOffset; NullCheck(L_66); IL2CPP_ARRAY_BOUNDS_CHECK(L_66, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_67+(int32_t)((int32_t)20)))))); uintptr_t L_68 = (((uintptr_t)((int32_t)((int32_t)L_67+(int32_t)((int32_t)20))))); ByteU5BU5D_t58506160* L_69 = ___input; uint32_t L_70 = ___inputOffset; NullCheck(L_69); IL2CPP_ARRAY_BOUNDS_CHECK(L_69, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_70+(int32_t)((int32_t)21)))))); uintptr_t L_71 = (((uintptr_t)((int32_t)((int32_t)L_70+(int32_t)((int32_t)21))))); ByteU5BU5D_t58506160* L_72 = ___input; uint32_t L_73 = ___inputOffset; NullCheck(L_72); IL2CPP_ARRAY_BOUNDS_CHECK(L_72, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_73+(int32_t)((int32_t)22)))))); uintptr_t L_74 = (((uintptr_t)((int32_t)((int32_t)L_73+(int32_t)((int32_t)22))))); ByteU5BU5D_t58506160* L_75 = ___input; uint32_t L_76 = ___inputOffset; NullCheck(L_75); IL2CPP_ARRAY_BOUNDS_CHECK(L_75, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_76+(int32_t)((int32_t)23)))))); uintptr_t L_77 = (((uintptr_t)((int32_t)((int32_t)L_76+(int32_t)((int32_t)23))))); NullCheck(L_65); IL2CPP_ARRAY_BOUNDS_CHECK(L_65, 5); (L_65)->SetAt(static_cast<il2cpp_array_size_t>(5), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_66)->GetAt(static_cast<il2cpp_array_size_t>(L_68)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_69)->GetAt(static_cast<il2cpp_array_size_t>(L_71)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_72)->GetAt(static_cast<il2cpp_array_size_t>(L_74)))<<(int32_t)8))))|(int32_t)((L_75)->GetAt(static_cast<il2cpp_array_size_t>(L_77)))))); UInt32U5BU5D_t2133601851* L_78 = ___buff; ByteU5BU5D_t58506160* L_79 = ___input; uint32_t L_80 = ___inputOffset; NullCheck(L_79); IL2CPP_ARRAY_BOUNDS_CHECK(L_79, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_80+(int32_t)((int32_t)24)))))); uintptr_t L_81 = (((uintptr_t)((int32_t)((int32_t)L_80+(int32_t)((int32_t)24))))); ByteU5BU5D_t58506160* L_82 = ___input; uint32_t L_83 = ___inputOffset; NullCheck(L_82); IL2CPP_ARRAY_BOUNDS_CHECK(L_82, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_83+(int32_t)((int32_t)25)))))); uintptr_t L_84 = (((uintptr_t)((int32_t)((int32_t)L_83+(int32_t)((int32_t)25))))); ByteU5BU5D_t58506160* L_85 = ___input; uint32_t L_86 = ___inputOffset; NullCheck(L_85); IL2CPP_ARRAY_BOUNDS_CHECK(L_85, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_86+(int32_t)((int32_t)26)))))); uintptr_t L_87 = (((uintptr_t)((int32_t)((int32_t)L_86+(int32_t)((int32_t)26))))); ByteU5BU5D_t58506160* L_88 = ___input; uint32_t L_89 = ___inputOffset; NullCheck(L_88); IL2CPP_ARRAY_BOUNDS_CHECK(L_88, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_89+(int32_t)((int32_t)27)))))); uintptr_t L_90 = (((uintptr_t)((int32_t)((int32_t)L_89+(int32_t)((int32_t)27))))); NullCheck(L_78); IL2CPP_ARRAY_BOUNDS_CHECK(L_78, 6); (L_78)->SetAt(static_cast<il2cpp_array_size_t>(6), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_79)->GetAt(static_cast<il2cpp_array_size_t>(L_81)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_82)->GetAt(static_cast<il2cpp_array_size_t>(L_84)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_85)->GetAt(static_cast<il2cpp_array_size_t>(L_87)))<<(int32_t)8))))|(int32_t)((L_88)->GetAt(static_cast<il2cpp_array_size_t>(L_90)))))); UInt32U5BU5D_t2133601851* L_91 = ___buff; ByteU5BU5D_t58506160* L_92 = ___input; uint32_t L_93 = ___inputOffset; NullCheck(L_92); IL2CPP_ARRAY_BOUNDS_CHECK(L_92, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_93+(int32_t)((int32_t)28)))))); uintptr_t L_94 = (((uintptr_t)((int32_t)((int32_t)L_93+(int32_t)((int32_t)28))))); ByteU5BU5D_t58506160* L_95 = ___input; uint32_t L_96 = ___inputOffset; NullCheck(L_95); IL2CPP_ARRAY_BOUNDS_CHECK(L_95, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_96+(int32_t)((int32_t)29)))))); uintptr_t L_97 = (((uintptr_t)((int32_t)((int32_t)L_96+(int32_t)((int32_t)29))))); ByteU5BU5D_t58506160* L_98 = ___input; uint32_t L_99 = ___inputOffset; NullCheck(L_98); IL2CPP_ARRAY_BOUNDS_CHECK(L_98, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_99+(int32_t)((int32_t)30)))))); uintptr_t L_100 = (((uintptr_t)((int32_t)((int32_t)L_99+(int32_t)((int32_t)30))))); ByteU5BU5D_t58506160* L_101 = ___input; uint32_t L_102 = ___inputOffset; NullCheck(L_101); IL2CPP_ARRAY_BOUNDS_CHECK(L_101, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_102+(int32_t)((int32_t)31)))))); uintptr_t L_103 = (((uintptr_t)((int32_t)((int32_t)L_102+(int32_t)((int32_t)31))))); NullCheck(L_91); IL2CPP_ARRAY_BOUNDS_CHECK(L_91, 7); (L_91)->SetAt(static_cast<il2cpp_array_size_t>(7), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_92)->GetAt(static_cast<il2cpp_array_size_t>(L_94)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_95)->GetAt(static_cast<il2cpp_array_size_t>(L_97)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_98)->GetAt(static_cast<il2cpp_array_size_t>(L_100)))<<(int32_t)8))))|(int32_t)((L_101)->GetAt(static_cast<il2cpp_array_size_t>(L_103)))))); UInt32U5BU5D_t2133601851* L_104 = ___buff; ByteU5BU5D_t58506160* L_105 = ___input; uint32_t L_106 = ___inputOffset; NullCheck(L_105); IL2CPP_ARRAY_BOUNDS_CHECK(L_105, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_106+(int32_t)((int32_t)32)))))); uintptr_t L_107 = (((uintptr_t)((int32_t)((int32_t)L_106+(int32_t)((int32_t)32))))); ByteU5BU5D_t58506160* L_108 = ___input; uint32_t L_109 = ___inputOffset; NullCheck(L_108); IL2CPP_ARRAY_BOUNDS_CHECK(L_108, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_109+(int32_t)((int32_t)33)))))); uintptr_t L_110 = (((uintptr_t)((int32_t)((int32_t)L_109+(int32_t)((int32_t)33))))); ByteU5BU5D_t58506160* L_111 = ___input; uint32_t L_112 = ___inputOffset; NullCheck(L_111); IL2CPP_ARRAY_BOUNDS_CHECK(L_111, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_112+(int32_t)((int32_t)34)))))); uintptr_t L_113 = (((uintptr_t)((int32_t)((int32_t)L_112+(int32_t)((int32_t)34))))); ByteU5BU5D_t58506160* L_114 = ___input; uint32_t L_115 = ___inputOffset; NullCheck(L_114); IL2CPP_ARRAY_BOUNDS_CHECK(L_114, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_115+(int32_t)((int32_t)35)))))); uintptr_t L_116 = (((uintptr_t)((int32_t)((int32_t)L_115+(int32_t)((int32_t)35))))); NullCheck(L_104); IL2CPP_ARRAY_BOUNDS_CHECK(L_104, 8); (L_104)->SetAt(static_cast<il2cpp_array_size_t>(8), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_105)->GetAt(static_cast<il2cpp_array_size_t>(L_107)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_108)->GetAt(static_cast<il2cpp_array_size_t>(L_110)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_111)->GetAt(static_cast<il2cpp_array_size_t>(L_113)))<<(int32_t)8))))|(int32_t)((L_114)->GetAt(static_cast<il2cpp_array_size_t>(L_116)))))); UInt32U5BU5D_t2133601851* L_117 = ___buff; ByteU5BU5D_t58506160* L_118 = ___input; uint32_t L_119 = ___inputOffset; NullCheck(L_118); IL2CPP_ARRAY_BOUNDS_CHECK(L_118, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_119+(int32_t)((int32_t)36)))))); uintptr_t L_120 = (((uintptr_t)((int32_t)((int32_t)L_119+(int32_t)((int32_t)36))))); ByteU5BU5D_t58506160* L_121 = ___input; uint32_t L_122 = ___inputOffset; NullCheck(L_121); IL2CPP_ARRAY_BOUNDS_CHECK(L_121, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_122+(int32_t)((int32_t)37)))))); uintptr_t L_123 = (((uintptr_t)((int32_t)((int32_t)L_122+(int32_t)((int32_t)37))))); ByteU5BU5D_t58506160* L_124 = ___input; uint32_t L_125 = ___inputOffset; NullCheck(L_124); IL2CPP_ARRAY_BOUNDS_CHECK(L_124, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_125+(int32_t)((int32_t)38)))))); uintptr_t L_126 = (((uintptr_t)((int32_t)((int32_t)L_125+(int32_t)((int32_t)38))))); ByteU5BU5D_t58506160* L_127 = ___input; uint32_t L_128 = ___inputOffset; NullCheck(L_127); IL2CPP_ARRAY_BOUNDS_CHECK(L_127, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_128+(int32_t)((int32_t)39)))))); uintptr_t L_129 = (((uintptr_t)((int32_t)((int32_t)L_128+(int32_t)((int32_t)39))))); NullCheck(L_117); IL2CPP_ARRAY_BOUNDS_CHECK(L_117, ((int32_t)9)); (L_117)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_118)->GetAt(static_cast<il2cpp_array_size_t>(L_120)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_121)->GetAt(static_cast<il2cpp_array_size_t>(L_123)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_124)->GetAt(static_cast<il2cpp_array_size_t>(L_126)))<<(int32_t)8))))|(int32_t)((L_127)->GetAt(static_cast<il2cpp_array_size_t>(L_129)))))); UInt32U5BU5D_t2133601851* L_130 = ___buff; ByteU5BU5D_t58506160* L_131 = ___input; uint32_t L_132 = ___inputOffset; NullCheck(L_131); IL2CPP_ARRAY_BOUNDS_CHECK(L_131, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_132+(int32_t)((int32_t)40)))))); uintptr_t L_133 = (((uintptr_t)((int32_t)((int32_t)L_132+(int32_t)((int32_t)40))))); ByteU5BU5D_t58506160* L_134 = ___input; uint32_t L_135 = ___inputOffset; NullCheck(L_134); IL2CPP_ARRAY_BOUNDS_CHECK(L_134, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_135+(int32_t)((int32_t)41)))))); uintptr_t L_136 = (((uintptr_t)((int32_t)((int32_t)L_135+(int32_t)((int32_t)41))))); ByteU5BU5D_t58506160* L_137 = ___input; uint32_t L_138 = ___inputOffset; NullCheck(L_137); IL2CPP_ARRAY_BOUNDS_CHECK(L_137, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_138+(int32_t)((int32_t)42)))))); uintptr_t L_139 = (((uintptr_t)((int32_t)((int32_t)L_138+(int32_t)((int32_t)42))))); ByteU5BU5D_t58506160* L_140 = ___input; uint32_t L_141 = ___inputOffset; NullCheck(L_140); IL2CPP_ARRAY_BOUNDS_CHECK(L_140, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_141+(int32_t)((int32_t)43)))))); uintptr_t L_142 = (((uintptr_t)((int32_t)((int32_t)L_141+(int32_t)((int32_t)43))))); NullCheck(L_130); IL2CPP_ARRAY_BOUNDS_CHECK(L_130, ((int32_t)10)); (L_130)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)10)), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_131)->GetAt(static_cast<il2cpp_array_size_t>(L_133)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_134)->GetAt(static_cast<il2cpp_array_size_t>(L_136)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_137)->GetAt(static_cast<il2cpp_array_size_t>(L_139)))<<(int32_t)8))))|(int32_t)((L_140)->GetAt(static_cast<il2cpp_array_size_t>(L_142)))))); UInt32U5BU5D_t2133601851* L_143 = ___buff; ByteU5BU5D_t58506160* L_144 = ___input; uint32_t L_145 = ___inputOffset; NullCheck(L_144); IL2CPP_ARRAY_BOUNDS_CHECK(L_144, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_145+(int32_t)((int32_t)44)))))); uintptr_t L_146 = (((uintptr_t)((int32_t)((int32_t)L_145+(int32_t)((int32_t)44))))); ByteU5BU5D_t58506160* L_147 = ___input; uint32_t L_148 = ___inputOffset; NullCheck(L_147); IL2CPP_ARRAY_BOUNDS_CHECK(L_147, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_148+(int32_t)((int32_t)45)))))); uintptr_t L_149 = (((uintptr_t)((int32_t)((int32_t)L_148+(int32_t)((int32_t)45))))); ByteU5BU5D_t58506160* L_150 = ___input; uint32_t L_151 = ___inputOffset; NullCheck(L_150); IL2CPP_ARRAY_BOUNDS_CHECK(L_150, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_151+(int32_t)((int32_t)46)))))); uintptr_t L_152 = (((uintptr_t)((int32_t)((int32_t)L_151+(int32_t)((int32_t)46))))); ByteU5BU5D_t58506160* L_153 = ___input; uint32_t L_154 = ___inputOffset; NullCheck(L_153); IL2CPP_ARRAY_BOUNDS_CHECK(L_153, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_154+(int32_t)((int32_t)47)))))); uintptr_t L_155 = (((uintptr_t)((int32_t)((int32_t)L_154+(int32_t)((int32_t)47))))); NullCheck(L_143); IL2CPP_ARRAY_BOUNDS_CHECK(L_143, ((int32_t)11)); (L_143)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)11)), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_144)->GetAt(static_cast<il2cpp_array_size_t>(L_146)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_147)->GetAt(static_cast<il2cpp_array_size_t>(L_149)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_150)->GetAt(static_cast<il2cpp_array_size_t>(L_152)))<<(int32_t)8))))|(int32_t)((L_153)->GetAt(static_cast<il2cpp_array_size_t>(L_155)))))); UInt32U5BU5D_t2133601851* L_156 = ___buff; ByteU5BU5D_t58506160* L_157 = ___input; uint32_t L_158 = ___inputOffset; NullCheck(L_157); IL2CPP_ARRAY_BOUNDS_CHECK(L_157, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_158+(int32_t)((int32_t)48)))))); uintptr_t L_159 = (((uintptr_t)((int32_t)((int32_t)L_158+(int32_t)((int32_t)48))))); ByteU5BU5D_t58506160* L_160 = ___input; uint32_t L_161 = ___inputOffset; NullCheck(L_160); IL2CPP_ARRAY_BOUNDS_CHECK(L_160, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_161+(int32_t)((int32_t)49)))))); uintptr_t L_162 = (((uintptr_t)((int32_t)((int32_t)L_161+(int32_t)((int32_t)49))))); ByteU5BU5D_t58506160* L_163 = ___input; uint32_t L_164 = ___inputOffset; NullCheck(L_163); IL2CPP_ARRAY_BOUNDS_CHECK(L_163, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_164+(int32_t)((int32_t)50)))))); uintptr_t L_165 = (((uintptr_t)((int32_t)((int32_t)L_164+(int32_t)((int32_t)50))))); ByteU5BU5D_t58506160* L_166 = ___input; uint32_t L_167 = ___inputOffset; NullCheck(L_166); IL2CPP_ARRAY_BOUNDS_CHECK(L_166, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_167+(int32_t)((int32_t)51)))))); uintptr_t L_168 = (((uintptr_t)((int32_t)((int32_t)L_167+(int32_t)((int32_t)51))))); NullCheck(L_156); IL2CPP_ARRAY_BOUNDS_CHECK(L_156, ((int32_t)12)); (L_156)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)12)), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_157)->GetAt(static_cast<il2cpp_array_size_t>(L_159)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_160)->GetAt(static_cast<il2cpp_array_size_t>(L_162)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_163)->GetAt(static_cast<il2cpp_array_size_t>(L_165)))<<(int32_t)8))))|(int32_t)((L_166)->GetAt(static_cast<il2cpp_array_size_t>(L_168)))))); UInt32U5BU5D_t2133601851* L_169 = ___buff; ByteU5BU5D_t58506160* L_170 = ___input; uint32_t L_171 = ___inputOffset; NullCheck(L_170); IL2CPP_ARRAY_BOUNDS_CHECK(L_170, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_171+(int32_t)((int32_t)52)))))); uintptr_t L_172 = (((uintptr_t)((int32_t)((int32_t)L_171+(int32_t)((int32_t)52))))); ByteU5BU5D_t58506160* L_173 = ___input; uint32_t L_174 = ___inputOffset; NullCheck(L_173); IL2CPP_ARRAY_BOUNDS_CHECK(L_173, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_174+(int32_t)((int32_t)53)))))); uintptr_t L_175 = (((uintptr_t)((int32_t)((int32_t)L_174+(int32_t)((int32_t)53))))); ByteU5BU5D_t58506160* L_176 = ___input; uint32_t L_177 = ___inputOffset; NullCheck(L_176); IL2CPP_ARRAY_BOUNDS_CHECK(L_176, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_177+(int32_t)((int32_t)54)))))); uintptr_t L_178 = (((uintptr_t)((int32_t)((int32_t)L_177+(int32_t)((int32_t)54))))); ByteU5BU5D_t58506160* L_179 = ___input; uint32_t L_180 = ___inputOffset; NullCheck(L_179); IL2CPP_ARRAY_BOUNDS_CHECK(L_179, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_180+(int32_t)((int32_t)55)))))); uintptr_t L_181 = (((uintptr_t)((int32_t)((int32_t)L_180+(int32_t)((int32_t)55))))); NullCheck(L_169); IL2CPP_ARRAY_BOUNDS_CHECK(L_169, ((int32_t)13)); (L_169)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)13)), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_170)->GetAt(static_cast<il2cpp_array_size_t>(L_172)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_173)->GetAt(static_cast<il2cpp_array_size_t>(L_175)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_176)->GetAt(static_cast<il2cpp_array_size_t>(L_178)))<<(int32_t)8))))|(int32_t)((L_179)->GetAt(static_cast<il2cpp_array_size_t>(L_181)))))); UInt32U5BU5D_t2133601851* L_182 = ___buff; ByteU5BU5D_t58506160* L_183 = ___input; uint32_t L_184 = ___inputOffset; NullCheck(L_183); IL2CPP_ARRAY_BOUNDS_CHECK(L_183, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_184+(int32_t)((int32_t)56)))))); uintptr_t L_185 = (((uintptr_t)((int32_t)((int32_t)L_184+(int32_t)((int32_t)56))))); ByteU5BU5D_t58506160* L_186 = ___input; uint32_t L_187 = ___inputOffset; NullCheck(L_186); IL2CPP_ARRAY_BOUNDS_CHECK(L_186, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_187+(int32_t)((int32_t)57)))))); uintptr_t L_188 = (((uintptr_t)((int32_t)((int32_t)L_187+(int32_t)((int32_t)57))))); ByteU5BU5D_t58506160* L_189 = ___input; uint32_t L_190 = ___inputOffset; NullCheck(L_189); IL2CPP_ARRAY_BOUNDS_CHECK(L_189, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_190+(int32_t)((int32_t)58)))))); uintptr_t L_191 = (((uintptr_t)((int32_t)((int32_t)L_190+(int32_t)((int32_t)58))))); ByteU5BU5D_t58506160* L_192 = ___input; uint32_t L_193 = ___inputOffset; NullCheck(L_192); IL2CPP_ARRAY_BOUNDS_CHECK(L_192, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_193+(int32_t)((int32_t)59)))))); uintptr_t L_194 = (((uintptr_t)((int32_t)((int32_t)L_193+(int32_t)((int32_t)59))))); NullCheck(L_182); IL2CPP_ARRAY_BOUNDS_CHECK(L_182, ((int32_t)14)); (L_182)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_183)->GetAt(static_cast<il2cpp_array_size_t>(L_185)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_186)->GetAt(static_cast<il2cpp_array_size_t>(L_188)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_189)->GetAt(static_cast<il2cpp_array_size_t>(L_191)))<<(int32_t)8))))|(int32_t)((L_192)->GetAt(static_cast<il2cpp_array_size_t>(L_194)))))); UInt32U5BU5D_t2133601851* L_195 = ___buff; ByteU5BU5D_t58506160* L_196 = ___input; uint32_t L_197 = ___inputOffset; NullCheck(L_196); IL2CPP_ARRAY_BOUNDS_CHECK(L_196, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_197+(int32_t)((int32_t)60)))))); uintptr_t L_198 = (((uintptr_t)((int32_t)((int32_t)L_197+(int32_t)((int32_t)60))))); ByteU5BU5D_t58506160* L_199 = ___input; uint32_t L_200 = ___inputOffset; NullCheck(L_199); IL2CPP_ARRAY_BOUNDS_CHECK(L_199, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_200+(int32_t)((int32_t)61)))))); uintptr_t L_201 = (((uintptr_t)((int32_t)((int32_t)L_200+(int32_t)((int32_t)61))))); ByteU5BU5D_t58506160* L_202 = ___input; uint32_t L_203 = ___inputOffset; NullCheck(L_202); IL2CPP_ARRAY_BOUNDS_CHECK(L_202, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_203+(int32_t)((int32_t)62)))))); uintptr_t L_204 = (((uintptr_t)((int32_t)((int32_t)L_203+(int32_t)((int32_t)62))))); ByteU5BU5D_t58506160* L_205 = ___input; uint32_t L_206 = ___inputOffset; NullCheck(L_205); IL2CPP_ARRAY_BOUNDS_CHECK(L_205, (il2cpp_array_size_t)(uintptr_t)(((uintptr_t)((int32_t)((int32_t)L_206+(int32_t)((int32_t)63)))))); uintptr_t L_207 = (((uintptr_t)((int32_t)((int32_t)L_206+(int32_t)((int32_t)63))))); NullCheck(L_195); IL2CPP_ARRAY_BOUNDS_CHECK(L_195, ((int32_t)15)); (L_195)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_196)->GetAt(static_cast<il2cpp_array_size_t>(L_198)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_199)->GetAt(static_cast<il2cpp_array_size_t>(L_201)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_202)->GetAt(static_cast<il2cpp_array_size_t>(L_204)))<<(int32_t)8))))|(int32_t)((L_205)->GetAt(static_cast<il2cpp_array_size_t>(L_207)))))); return; } } // System.Void System.Security.Cryptography.SHA1Internal::FillBuff(System.UInt32[]) extern "C" void SHA1Internal_FillBuff_m3885846173 (Il2CppObject * __this /* static, unused */, UInt32U5BU5D_t2133601851* ___buff, const MethodInfo* method) { uint32_t V_0 = 0; int32_t V_1 = 0; { V_1 = ((int32_t)16); goto IL_013e; } IL_0008: { UInt32U5BU5D_t2133601851* L_0 = ___buff; int32_t L_1 = V_1; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, ((int32_t)((int32_t)L_1-(int32_t)3))); int32_t L_2 = ((int32_t)((int32_t)L_1-(int32_t)3)); UInt32U5BU5D_t2133601851* L_3 = ___buff; int32_t L_4 = V_1; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, ((int32_t)((int32_t)L_4-(int32_t)8))); int32_t L_5 = ((int32_t)((int32_t)L_4-(int32_t)8)); UInt32U5BU5D_t2133601851* L_6 = ___buff; int32_t L_7 = V_1; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, ((int32_t)((int32_t)L_7-(int32_t)((int32_t)14)))); int32_t L_8 = ((int32_t)((int32_t)L_7-(int32_t)((int32_t)14))); UInt32U5BU5D_t2133601851* L_9 = ___buff; int32_t L_10 = V_1; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, ((int32_t)((int32_t)L_10-(int32_t)((int32_t)16)))); int32_t L_11 = ((int32_t)((int32_t)L_10-(int32_t)((int32_t)16))); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_2)))^(int32_t)((L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)))))^(int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_8)))))^(int32_t)((L_9)->GetAt(static_cast<il2cpp_array_size_t>(L_11))))); UInt32U5BU5D_t2133601851* L_12 = ___buff; int32_t L_13 = V_1; uint32_t L_14 = V_0; uint32_t L_15 = V_0; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, L_13); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(L_13), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_14<<(int32_t)1))|(int32_t)((int32_t)((uint32_t)L_15>>((int32_t)31)))))); UInt32U5BU5D_t2133601851* L_16 = ___buff; int32_t L_17 = V_1; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, ((int32_t)((int32_t)L_17-(int32_t)2))); int32_t L_18 = ((int32_t)((int32_t)L_17-(int32_t)2)); UInt32U5BU5D_t2133601851* L_19 = ___buff; int32_t L_20 = V_1; NullCheck(L_19); IL2CPP_ARRAY_BOUNDS_CHECK(L_19, ((int32_t)((int32_t)L_20-(int32_t)7))); int32_t L_21 = ((int32_t)((int32_t)L_20-(int32_t)7)); UInt32U5BU5D_t2133601851* L_22 = ___buff; int32_t L_23 = V_1; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, ((int32_t)((int32_t)L_23-(int32_t)((int32_t)13)))); int32_t L_24 = ((int32_t)((int32_t)L_23-(int32_t)((int32_t)13))); UInt32U5BU5D_t2133601851* L_25 = ___buff; int32_t L_26 = V_1; NullCheck(L_25); IL2CPP_ARRAY_BOUNDS_CHECK(L_25, ((int32_t)((int32_t)L_26-(int32_t)((int32_t)15)))); int32_t L_27 = ((int32_t)((int32_t)L_26-(int32_t)((int32_t)15))); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_18)))^(int32_t)((L_19)->GetAt(static_cast<il2cpp_array_size_t>(L_21)))))^(int32_t)((L_22)->GetAt(static_cast<il2cpp_array_size_t>(L_24)))))^(int32_t)((L_25)->GetAt(static_cast<il2cpp_array_size_t>(L_27))))); UInt32U5BU5D_t2133601851* L_28 = ___buff; int32_t L_29 = V_1; uint32_t L_30 = V_0; uint32_t L_31 = V_0; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, ((int32_t)((int32_t)L_29+(int32_t)1))); (L_28)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_29+(int32_t)1))), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_30<<(int32_t)1))|(int32_t)((int32_t)((uint32_t)L_31>>((int32_t)31)))))); UInt32U5BU5D_t2133601851* L_32 = ___buff; int32_t L_33 = V_1; NullCheck(L_32); IL2CPP_ARRAY_BOUNDS_CHECK(L_32, ((int32_t)((int32_t)L_33-(int32_t)1))); int32_t L_34 = ((int32_t)((int32_t)L_33-(int32_t)1)); UInt32U5BU5D_t2133601851* L_35 = ___buff; int32_t L_36 = V_1; NullCheck(L_35); IL2CPP_ARRAY_BOUNDS_CHECK(L_35, ((int32_t)((int32_t)L_36-(int32_t)6))); int32_t L_37 = ((int32_t)((int32_t)L_36-(int32_t)6)); UInt32U5BU5D_t2133601851* L_38 = ___buff; int32_t L_39 = V_1; NullCheck(L_38); IL2CPP_ARRAY_BOUNDS_CHECK(L_38, ((int32_t)((int32_t)L_39-(int32_t)((int32_t)12)))); int32_t L_40 = ((int32_t)((int32_t)L_39-(int32_t)((int32_t)12))); UInt32U5BU5D_t2133601851* L_41 = ___buff; int32_t L_42 = V_1; NullCheck(L_41); IL2CPP_ARRAY_BOUNDS_CHECK(L_41, ((int32_t)((int32_t)L_42-(int32_t)((int32_t)14)))); int32_t L_43 = ((int32_t)((int32_t)L_42-(int32_t)((int32_t)14))); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_32)->GetAt(static_cast<il2cpp_array_size_t>(L_34)))^(int32_t)((L_35)->GetAt(static_cast<il2cpp_array_size_t>(L_37)))))^(int32_t)((L_38)->GetAt(static_cast<il2cpp_array_size_t>(L_40)))))^(int32_t)((L_41)->GetAt(static_cast<il2cpp_array_size_t>(L_43))))); UInt32U5BU5D_t2133601851* L_44 = ___buff; int32_t L_45 = V_1; uint32_t L_46 = V_0; uint32_t L_47 = V_0; NullCheck(L_44); IL2CPP_ARRAY_BOUNDS_CHECK(L_44, ((int32_t)((int32_t)L_45+(int32_t)2))); (L_44)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_45+(int32_t)2))), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_46<<(int32_t)1))|(int32_t)((int32_t)((uint32_t)L_47>>((int32_t)31)))))); UInt32U5BU5D_t2133601851* L_48 = ___buff; int32_t L_49 = V_1; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, L_49); int32_t L_50 = L_49; UInt32U5BU5D_t2133601851* L_51 = ___buff; int32_t L_52 = V_1; NullCheck(L_51); IL2CPP_ARRAY_BOUNDS_CHECK(L_51, ((int32_t)((int32_t)L_52-(int32_t)5))); int32_t L_53 = ((int32_t)((int32_t)L_52-(int32_t)5)); UInt32U5BU5D_t2133601851* L_54 = ___buff; int32_t L_55 = V_1; NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, ((int32_t)((int32_t)L_55-(int32_t)((int32_t)11)))); int32_t L_56 = ((int32_t)((int32_t)L_55-(int32_t)((int32_t)11))); UInt32U5BU5D_t2133601851* L_57 = ___buff; int32_t L_58 = V_1; NullCheck(L_57); IL2CPP_ARRAY_BOUNDS_CHECK(L_57, ((int32_t)((int32_t)L_58-(int32_t)((int32_t)13)))); int32_t L_59 = ((int32_t)((int32_t)L_58-(int32_t)((int32_t)13))); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_48)->GetAt(static_cast<il2cpp_array_size_t>(L_50)))^(int32_t)((L_51)->GetAt(static_cast<il2cpp_array_size_t>(L_53)))))^(int32_t)((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_56)))))^(int32_t)((L_57)->GetAt(static_cast<il2cpp_array_size_t>(L_59))))); UInt32U5BU5D_t2133601851* L_60 = ___buff; int32_t L_61 = V_1; uint32_t L_62 = V_0; uint32_t L_63 = V_0; NullCheck(L_60); IL2CPP_ARRAY_BOUNDS_CHECK(L_60, ((int32_t)((int32_t)L_61+(int32_t)3))); (L_60)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_61+(int32_t)3))), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_62<<(int32_t)1))|(int32_t)((int32_t)((uint32_t)L_63>>((int32_t)31)))))); UInt32U5BU5D_t2133601851* L_64 = ___buff; int32_t L_65 = V_1; NullCheck(L_64); IL2CPP_ARRAY_BOUNDS_CHECK(L_64, ((int32_t)((int32_t)L_65+(int32_t)1))); int32_t L_66 = ((int32_t)((int32_t)L_65+(int32_t)1)); UInt32U5BU5D_t2133601851* L_67 = ___buff; int32_t L_68 = V_1; NullCheck(L_67); IL2CPP_ARRAY_BOUNDS_CHECK(L_67, ((int32_t)((int32_t)L_68-(int32_t)4))); int32_t L_69 = ((int32_t)((int32_t)L_68-(int32_t)4)); UInt32U5BU5D_t2133601851* L_70 = ___buff; int32_t L_71 = V_1; NullCheck(L_70); IL2CPP_ARRAY_BOUNDS_CHECK(L_70, ((int32_t)((int32_t)L_71-(int32_t)((int32_t)10)))); int32_t L_72 = ((int32_t)((int32_t)L_71-(int32_t)((int32_t)10))); UInt32U5BU5D_t2133601851* L_73 = ___buff; int32_t L_74 = V_1; NullCheck(L_73); IL2CPP_ARRAY_BOUNDS_CHECK(L_73, ((int32_t)((int32_t)L_74-(int32_t)((int32_t)12)))); int32_t L_75 = ((int32_t)((int32_t)L_74-(int32_t)((int32_t)12))); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_64)->GetAt(static_cast<il2cpp_array_size_t>(L_66)))^(int32_t)((L_67)->GetAt(static_cast<il2cpp_array_size_t>(L_69)))))^(int32_t)((L_70)->GetAt(static_cast<il2cpp_array_size_t>(L_72)))))^(int32_t)((L_73)->GetAt(static_cast<il2cpp_array_size_t>(L_75))))); UInt32U5BU5D_t2133601851* L_76 = ___buff; int32_t L_77 = V_1; uint32_t L_78 = V_0; uint32_t L_79 = V_0; NullCheck(L_76); IL2CPP_ARRAY_BOUNDS_CHECK(L_76, ((int32_t)((int32_t)L_77+(int32_t)4))); (L_76)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_77+(int32_t)4))), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_78<<(int32_t)1))|(int32_t)((int32_t)((uint32_t)L_79>>((int32_t)31)))))); UInt32U5BU5D_t2133601851* L_80 = ___buff; int32_t L_81 = V_1; NullCheck(L_80); IL2CPP_ARRAY_BOUNDS_CHECK(L_80, ((int32_t)((int32_t)L_81+(int32_t)2))); int32_t L_82 = ((int32_t)((int32_t)L_81+(int32_t)2)); UInt32U5BU5D_t2133601851* L_83 = ___buff; int32_t L_84 = V_1; NullCheck(L_83); IL2CPP_ARRAY_BOUNDS_CHECK(L_83, ((int32_t)((int32_t)L_84-(int32_t)3))); int32_t L_85 = ((int32_t)((int32_t)L_84-(int32_t)3)); UInt32U5BU5D_t2133601851* L_86 = ___buff; int32_t L_87 = V_1; NullCheck(L_86); IL2CPP_ARRAY_BOUNDS_CHECK(L_86, ((int32_t)((int32_t)L_87-(int32_t)((int32_t)9)))); int32_t L_88 = ((int32_t)((int32_t)L_87-(int32_t)((int32_t)9))); UInt32U5BU5D_t2133601851* L_89 = ___buff; int32_t L_90 = V_1; NullCheck(L_89); IL2CPP_ARRAY_BOUNDS_CHECK(L_89, ((int32_t)((int32_t)L_90-(int32_t)((int32_t)11)))); int32_t L_91 = ((int32_t)((int32_t)L_90-(int32_t)((int32_t)11))); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_80)->GetAt(static_cast<il2cpp_array_size_t>(L_82)))^(int32_t)((L_83)->GetAt(static_cast<il2cpp_array_size_t>(L_85)))))^(int32_t)((L_86)->GetAt(static_cast<il2cpp_array_size_t>(L_88)))))^(int32_t)((L_89)->GetAt(static_cast<il2cpp_array_size_t>(L_91))))); UInt32U5BU5D_t2133601851* L_92 = ___buff; int32_t L_93 = V_1; uint32_t L_94 = V_0; uint32_t L_95 = V_0; NullCheck(L_92); IL2CPP_ARRAY_BOUNDS_CHECK(L_92, ((int32_t)((int32_t)L_93+(int32_t)5))); (L_92)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_93+(int32_t)5))), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_94<<(int32_t)1))|(int32_t)((int32_t)((uint32_t)L_95>>((int32_t)31)))))); UInt32U5BU5D_t2133601851* L_96 = ___buff; int32_t L_97 = V_1; NullCheck(L_96); IL2CPP_ARRAY_BOUNDS_CHECK(L_96, ((int32_t)((int32_t)L_97+(int32_t)3))); int32_t L_98 = ((int32_t)((int32_t)L_97+(int32_t)3)); UInt32U5BU5D_t2133601851* L_99 = ___buff; int32_t L_100 = V_1; NullCheck(L_99); IL2CPP_ARRAY_BOUNDS_CHECK(L_99, ((int32_t)((int32_t)L_100-(int32_t)2))); int32_t L_101 = ((int32_t)((int32_t)L_100-(int32_t)2)); UInt32U5BU5D_t2133601851* L_102 = ___buff; int32_t L_103 = V_1; NullCheck(L_102); IL2CPP_ARRAY_BOUNDS_CHECK(L_102, ((int32_t)((int32_t)L_103-(int32_t)8))); int32_t L_104 = ((int32_t)((int32_t)L_103-(int32_t)8)); UInt32U5BU5D_t2133601851* L_105 = ___buff; int32_t L_106 = V_1; NullCheck(L_105); IL2CPP_ARRAY_BOUNDS_CHECK(L_105, ((int32_t)((int32_t)L_106-(int32_t)((int32_t)10)))); int32_t L_107 = ((int32_t)((int32_t)L_106-(int32_t)((int32_t)10))); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_96)->GetAt(static_cast<il2cpp_array_size_t>(L_98)))^(int32_t)((L_99)->GetAt(static_cast<il2cpp_array_size_t>(L_101)))))^(int32_t)((L_102)->GetAt(static_cast<il2cpp_array_size_t>(L_104)))))^(int32_t)((L_105)->GetAt(static_cast<il2cpp_array_size_t>(L_107))))); UInt32U5BU5D_t2133601851* L_108 = ___buff; int32_t L_109 = V_1; uint32_t L_110 = V_0; uint32_t L_111 = V_0; NullCheck(L_108); IL2CPP_ARRAY_BOUNDS_CHECK(L_108, ((int32_t)((int32_t)L_109+(int32_t)6))); (L_108)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_109+(int32_t)6))), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_110<<(int32_t)1))|(int32_t)((int32_t)((uint32_t)L_111>>((int32_t)31)))))); UInt32U5BU5D_t2133601851* L_112 = ___buff; int32_t L_113 = V_1; NullCheck(L_112); IL2CPP_ARRAY_BOUNDS_CHECK(L_112, ((int32_t)((int32_t)L_113+(int32_t)4))); int32_t L_114 = ((int32_t)((int32_t)L_113+(int32_t)4)); UInt32U5BU5D_t2133601851* L_115 = ___buff; int32_t L_116 = V_1; NullCheck(L_115); IL2CPP_ARRAY_BOUNDS_CHECK(L_115, ((int32_t)((int32_t)L_116-(int32_t)1))); int32_t L_117 = ((int32_t)((int32_t)L_116-(int32_t)1)); UInt32U5BU5D_t2133601851* L_118 = ___buff; int32_t L_119 = V_1; NullCheck(L_118); IL2CPP_ARRAY_BOUNDS_CHECK(L_118, ((int32_t)((int32_t)L_119-(int32_t)7))); int32_t L_120 = ((int32_t)((int32_t)L_119-(int32_t)7)); UInt32U5BU5D_t2133601851* L_121 = ___buff; int32_t L_122 = V_1; NullCheck(L_121); IL2CPP_ARRAY_BOUNDS_CHECK(L_121, ((int32_t)((int32_t)L_122-(int32_t)((int32_t)9)))); int32_t L_123 = ((int32_t)((int32_t)L_122-(int32_t)((int32_t)9))); V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_112)->GetAt(static_cast<il2cpp_array_size_t>(L_114)))^(int32_t)((L_115)->GetAt(static_cast<il2cpp_array_size_t>(L_117)))))^(int32_t)((L_118)->GetAt(static_cast<il2cpp_array_size_t>(L_120)))))^(int32_t)((L_121)->GetAt(static_cast<il2cpp_array_size_t>(L_123))))); UInt32U5BU5D_t2133601851* L_124 = ___buff; int32_t L_125 = V_1; uint32_t L_126 = V_0; uint32_t L_127 = V_0; NullCheck(L_124); IL2CPP_ARRAY_BOUNDS_CHECK(L_124, ((int32_t)((int32_t)L_125+(int32_t)7))); (L_124)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_125+(int32_t)7))), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_126<<(int32_t)1))|(int32_t)((int32_t)((uint32_t)L_127>>((int32_t)31)))))); int32_t L_128 = V_1; V_1 = ((int32_t)((int32_t)L_128+(int32_t)8)); } IL_013e: { int32_t L_129 = V_1; if ((((int32_t)L_129) < ((int32_t)((int32_t)80)))) { goto IL_0008; } } { return; } } // System.Void System.Security.Cryptography.SHA1Internal::ProcessFinalBlock(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t SHA1Internal_ProcessFinalBlock_m1828667302_MetadataUsageId; extern "C" void SHA1Internal_ProcessFinalBlock_m1828667302 (SHA1Internal_t1230592059 * __this, ByteU5BU5D_t58506160* ___inputBuffer, int32_t ___inputOffset, int32_t ___inputCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA1Internal_ProcessFinalBlock_m1828667302_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint64_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; ByteU5BU5D_t58506160* V_3 = NULL; int32_t V_4 = 0; int32_t V_5 = 0; uint64_t V_6 = 0; ByteU5BU5D_t58506160* G_B5_0 = NULL; { uint64_t L_0 = __this->get_count_1(); int32_t L_1 = ___inputCount; V_0 = ((int64_t)((int64_t)L_0+(int64_t)(((int64_t)((int64_t)L_1))))); uint64_t L_2 = V_0; V_1 = ((int32_t)((int32_t)((int32_t)56)-(int32_t)(((int32_t)((int32_t)((int64_t)((uint64_t)(int64_t)L_2%(uint64_t)(int64_t)(((int64_t)((int64_t)((int32_t)64))))))))))); int32_t L_3 = V_1; if ((((int32_t)L_3) >= ((int32_t)1))) { goto IL_0020; } } { int32_t L_4 = V_1; V_1 = ((int32_t)((int32_t)L_4+(int32_t)((int32_t)64))); } IL_0020: { int32_t L_5 = ___inputCount; int32_t L_6 = V_1; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6))+(int32_t)8)); int32_t L_7 = V_2; if ((!(((uint32_t)L_7) == ((uint32_t)((int32_t)64))))) { goto IL_0039; } } { ByteU5BU5D_t58506160* L_8 = __this->get__ProcessingBuffer_2(); G_B5_0 = L_8; goto IL_003f; } IL_0039: { int32_t L_9 = V_2; G_B5_0 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)L_9)); } IL_003f: { V_3 = G_B5_0; V_4 = 0; goto IL_0058; } IL_0048: { ByteU5BU5D_t58506160* L_10 = V_3; int32_t L_11 = V_4; ByteU5BU5D_t58506160* L_12 = ___inputBuffer; int32_t L_13 = V_4; int32_t L_14 = ___inputOffset; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, ((int32_t)((int32_t)L_13+(int32_t)L_14))); int32_t L_15 = ((int32_t)((int32_t)L_13+(int32_t)L_14)); NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, L_11); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(L_11), (uint8_t)((L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_15)))); int32_t L_16 = V_4; V_4 = ((int32_t)((int32_t)L_16+(int32_t)1)); } IL_0058: { int32_t L_17 = V_4; int32_t L_18 = ___inputCount; if ((((int32_t)L_17) < ((int32_t)L_18))) { goto IL_0048; } } { ByteU5BU5D_t58506160* L_19 = V_3; int32_t L_20 = ___inputCount; NullCheck(L_19); IL2CPP_ARRAY_BOUNDS_CHECK(L_19, L_20); (L_19)->SetAt(static_cast<il2cpp_array_size_t>(L_20), (uint8_t)((int32_t)128)); int32_t L_21 = ___inputCount; V_5 = ((int32_t)((int32_t)L_21+(int32_t)1)); goto IL_007d; } IL_0072: { ByteU5BU5D_t58506160* L_22 = V_3; int32_t L_23 = V_5; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, L_23); (L_22)->SetAt(static_cast<il2cpp_array_size_t>(L_23), (uint8_t)0); int32_t L_24 = V_5; V_5 = ((int32_t)((int32_t)L_24+(int32_t)1)); } IL_007d: { int32_t L_25 = V_5; int32_t L_26 = ___inputCount; int32_t L_27 = V_1; if ((((int32_t)L_25) < ((int32_t)((int32_t)((int32_t)L_26+(int32_t)L_27))))) { goto IL_0072; } } { uint64_t L_28 = V_0; V_6 = ((int64_t)((int64_t)L_28<<(int32_t)3)); uint64_t L_29 = V_6; ByteU5BU5D_t58506160* L_30 = V_3; int32_t L_31 = ___inputCount; int32_t L_32 = V_1; SHA1Internal_AddLength_m2579300445(__this, L_29, L_30, ((int32_t)((int32_t)L_31+(int32_t)L_32)), /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_33 = V_3; SHA1Internal_ProcessBlock_m2806549466(__this, L_33, 0, /*hidden argument*/NULL); int32_t L_34 = V_2; if ((!(((uint32_t)L_34) == ((uint32_t)((int32_t)128))))) { goto IL_00b4; } } { ByteU5BU5D_t58506160* L_35 = V_3; SHA1Internal_ProcessBlock_m2806549466(__this, L_35, ((int32_t)64), /*hidden argument*/NULL); } IL_00b4: { return; } } // System.Void System.Security.Cryptography.SHA1Internal::AddLength(System.UInt64,System.Byte[],System.Int32) extern "C" void SHA1Internal_AddLength_m2579300445 (SHA1Internal_t1230592059 * __this, uint64_t ___length, ByteU5BU5D_t58506160* ___buffer, int32_t ___position, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = ___buffer; int32_t L_1 = ___position; int32_t L_2 = L_1; ___position = ((int32_t)((int32_t)L_2+(int32_t)1)); uint64_t L_3 = ___length; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_2); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_2), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_3>>((int32_t)56))))))); ByteU5BU5D_t58506160* L_4 = ___buffer; int32_t L_5 = ___position; int32_t L_6 = L_5; ___position = ((int32_t)((int32_t)L_6+(int32_t)1)); uint64_t L_7 = ___length; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, L_6); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(L_6), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_7>>((int32_t)48))))))); ByteU5BU5D_t58506160* L_8 = ___buffer; int32_t L_9 = ___position; int32_t L_10 = L_9; ___position = ((int32_t)((int32_t)L_10+(int32_t)1)); uint64_t L_11 = ___length; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, L_10); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(L_10), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_11>>((int32_t)40))))))); ByteU5BU5D_t58506160* L_12 = ___buffer; int32_t L_13 = ___position; int32_t L_14 = L_13; ___position = ((int32_t)((int32_t)L_14+(int32_t)1)); uint64_t L_15 = ___length; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, L_14); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(L_14), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_15>>((int32_t)32))))))); ByteU5BU5D_t58506160* L_16 = ___buffer; int32_t L_17 = ___position; int32_t L_18 = L_17; ___position = ((int32_t)((int32_t)L_18+(int32_t)1)); uint64_t L_19 = ___length; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, L_18); (L_16)->SetAt(static_cast<il2cpp_array_size_t>(L_18), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_19>>((int32_t)24))))))); ByteU5BU5D_t58506160* L_20 = ___buffer; int32_t L_21 = ___position; int32_t L_22 = L_21; ___position = ((int32_t)((int32_t)L_22+(int32_t)1)); uint64_t L_23 = ___length; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, L_22); (L_20)->SetAt(static_cast<il2cpp_array_size_t>(L_22), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_23>>((int32_t)16))))))); ByteU5BU5D_t58506160* L_24 = ___buffer; int32_t L_25 = ___position; int32_t L_26 = L_25; ___position = ((int32_t)((int32_t)L_26+(int32_t)1)); uint64_t L_27 = ___length; NullCheck(L_24); IL2CPP_ARRAY_BOUNDS_CHECK(L_24, L_26); (L_24)->SetAt(static_cast<il2cpp_array_size_t>(L_26), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_27>>8)))))); ByteU5BU5D_t58506160* L_28 = ___buffer; int32_t L_29 = ___position; uint64_t L_30 = ___length; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, L_29); (L_28)->SetAt(static_cast<il2cpp_array_size_t>(L_29), (uint8_t)(((int32_t)((uint8_t)L_30)))); return; } } // System.Void System.Security.Cryptography.SHA1Managed::.ctor() extern TypeInfo* SHA1Internal_t1230592059_il2cpp_TypeInfo_var; extern const uint32_t SHA1Managed__ctor_m3952187979_MetadataUsageId; extern "C" void SHA1Managed__ctor_m3952187979 (SHA1Managed_t1948156915 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA1Managed__ctor_m3952187979_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SHA1__ctor_m910599164(__this, /*hidden argument*/NULL); SHA1Internal_t1230592059 * L_0 = (SHA1Internal_t1230592059 *)il2cpp_codegen_object_new(SHA1Internal_t1230592059_il2cpp_TypeInfo_var); SHA1Internal__ctor_m2779764927(L_0, /*hidden argument*/NULL); __this->set_sha_4(L_0); return; } } // System.Void System.Security.Cryptography.SHA1Managed::HashCore(System.Byte[],System.Int32,System.Int32) extern "C" void SHA1Managed_HashCore_m2755230979 (SHA1Managed_t1948156915 * __this, ByteU5BU5D_t58506160* ___rgb, int32_t ___ibStart, int32_t ___cbSize, const MethodInfo* method) { { ((HashAlgorithm_t24372250 *)__this)->set_State_2(1); SHA1Internal_t1230592059 * L_0 = __this->get_sha_4(); ByteU5BU5D_t58506160* L_1 = ___rgb; int32_t L_2 = ___ibStart; int32_t L_3 = ___cbSize; NullCheck(L_0); SHA1Internal_HashCore_m2471520887(L_0, L_1, L_2, L_3, /*hidden argument*/NULL); return; } } // System.Byte[] System.Security.Cryptography.SHA1Managed::HashFinal() extern "C" ByteU5BU5D_t58506160* SHA1Managed_HashFinal_m2842242055 (SHA1Managed_t1948156915 * __this, const MethodInfo* method) { { ((HashAlgorithm_t24372250 *)__this)->set_State_2(0); SHA1Internal_t1230592059 * L_0 = __this->get_sha_4(); NullCheck(L_0); ByteU5BU5D_t58506160* L_1 = SHA1Internal_HashFinal_m844484623(L_0, /*hidden argument*/NULL); return L_1; } } // System.Void System.Security.Cryptography.SHA1Managed::Initialize() extern "C" void SHA1Managed_Initialize_m633762601 (SHA1Managed_t1948156915 * __this, const MethodInfo* method) { { SHA1Internal_t1230592059 * L_0 = __this->get_sha_4(); NullCheck(L_0); SHA1Internal_Initialize_m2698059061(L_0, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.SHA256::.ctor() extern "C" void SHA256__ctor_m3526765978 (SHA256_t4002183040 * __this, const MethodInfo* method) { { HashAlgorithm__ctor_m1204858244(__this, /*hidden argument*/NULL); ((HashAlgorithm_t24372250 *)__this)->set_HashSizeValue_1(((int32_t)256)); return; } } // System.Security.Cryptography.SHA256 System.Security.Cryptography.SHA256::Create() extern Il2CppCodeGenString* _stringLiteral1524024602; extern const uint32_t SHA256_Create_m2242546445_MetadataUsageId; extern "C" SHA256_t4002183040 * SHA256_Create_m2242546445 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA256_Create_m2242546445_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SHA256_t4002183040 * L_0 = SHA256_Create_m968110357(NULL /*static, unused*/, _stringLiteral1524024602, /*hidden argument*/NULL); return L_0; } } // System.Security.Cryptography.SHA256 System.Security.Cryptography.SHA256::Create(System.String) extern TypeInfo* CryptoConfig_t2102571196_il2cpp_TypeInfo_var; extern TypeInfo* SHA256_t4002183040_il2cpp_TypeInfo_var; extern const uint32_t SHA256_Create_m968110357_MetadataUsageId; extern "C" SHA256_t4002183040 * SHA256_Create_m968110357 (Il2CppObject * __this /* static, unused */, String_t* ___hashName, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA256_Create_m968110357_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___hashName; IL2CPP_RUNTIME_CLASS_INIT(CryptoConfig_t2102571196_il2cpp_TypeInfo_var); Il2CppObject * L_1 = CryptoConfig_CreateFromName_m3477093824(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); return ((SHA256_t4002183040 *)CastclassClass(L_1, SHA256_t4002183040_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.SHA256Managed::.ctor() extern TypeInfo* UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t SHA256Managed__ctor_m1925161709_MetadataUsageId; extern "C" void SHA256Managed__ctor_m1925161709 (SHA256Managed_t2421982353 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA256Managed__ctor_m1925161709_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SHA256__ctor_m3526765978(__this, /*hidden argument*/NULL); __this->set__H_4(((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)8))); __this->set__ProcessingBuffer_6(((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)64)))); __this->set_buff_8(((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)64)))); VirtActionInvoker0::Invoke(13 /* System.Void System.Security.Cryptography.SHA256Managed::Initialize() */, __this); return; } } // System.Void System.Security.Cryptography.SHA256Managed::HashCore(System.Byte[],System.Int32,System.Int32) extern "C" void SHA256Managed_HashCore_m1891998501 (SHA256Managed_t2421982353 * __this, ByteU5BU5D_t58506160* ___rgb, int32_t ___ibStart, int32_t ___cbSize, const MethodInfo* method) { int32_t V_0 = 0; { ((HashAlgorithm_t24372250 *)__this)->set_State_2(1); int32_t L_0 = __this->get__ProcessingBufferCount_7(); if (!L_0) { goto IL_0080; } } { int32_t L_1 = ___cbSize; int32_t L_2 = __this->get__ProcessingBufferCount_7(); if ((((int32_t)L_1) >= ((int32_t)((int32_t)((int32_t)((int32_t)64)-(int32_t)L_2))))) { goto IL_0044; } } { ByteU5BU5D_t58506160* L_3 = ___rgb; int32_t L_4 = ___ibStart; ByteU5BU5D_t58506160* L_5 = __this->get__ProcessingBuffer_6(); int32_t L_6 = __this->get__ProcessingBufferCount_7(); int32_t L_7 = ___cbSize; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_3, L_4, (Il2CppArray *)(Il2CppArray *)L_5, L_6, L_7, /*hidden argument*/NULL); int32_t L_8 = __this->get__ProcessingBufferCount_7(); int32_t L_9 = ___cbSize; __this->set__ProcessingBufferCount_7(((int32_t)((int32_t)L_8+(int32_t)L_9))); return; } IL_0044: { int32_t L_10 = __this->get__ProcessingBufferCount_7(); V_0 = ((int32_t)((int32_t)((int32_t)64)-(int32_t)L_10)); ByteU5BU5D_t58506160* L_11 = ___rgb; int32_t L_12 = ___ibStart; ByteU5BU5D_t58506160* L_13 = __this->get__ProcessingBuffer_6(); int32_t L_14 = __this->get__ProcessingBufferCount_7(); int32_t L_15 = V_0; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_11, L_12, (Il2CppArray *)(Il2CppArray *)L_13, L_14, L_15, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_16 = __this->get__ProcessingBuffer_6(); SHA256Managed_ProcessBlock_m4117131779(__this, L_16, 0, /*hidden argument*/NULL); __this->set__ProcessingBufferCount_7(0); int32_t L_17 = ___ibStart; int32_t L_18 = V_0; ___ibStart = ((int32_t)((int32_t)L_17+(int32_t)L_18)); int32_t L_19 = ___cbSize; int32_t L_20 = V_0; ___cbSize = ((int32_t)((int32_t)L_19-(int32_t)L_20)); } IL_0080: { V_0 = 0; goto IL_0096; } IL_0087: { ByteU5BU5D_t58506160* L_21 = ___rgb; int32_t L_22 = ___ibStart; int32_t L_23 = V_0; SHA256Managed_ProcessBlock_m4117131779(__this, L_21, ((int32_t)((int32_t)L_22+(int32_t)L_23)), /*hidden argument*/NULL); int32_t L_24 = V_0; V_0 = ((int32_t)((int32_t)L_24+(int32_t)((int32_t)64))); } IL_0096: { int32_t L_25 = V_0; int32_t L_26 = ___cbSize; int32_t L_27 = ___cbSize; if ((((int32_t)L_25) < ((int32_t)((int32_t)((int32_t)L_26-(int32_t)((int32_t)((int32_t)L_27%(int32_t)((int32_t)64)))))))) { goto IL_0087; } } { int32_t L_28 = ___cbSize; if (!((int32_t)((int32_t)L_28%(int32_t)((int32_t)64)))) { goto IL_00ce; } } { ByteU5BU5D_t58506160* L_29 = ___rgb; int32_t L_30 = ___cbSize; int32_t L_31 = ___cbSize; int32_t L_32 = ___ibStart; ByteU5BU5D_t58506160* L_33 = __this->get__ProcessingBuffer_6(); int32_t L_34 = ___cbSize; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_29, ((int32_t)((int32_t)((int32_t)((int32_t)L_30-(int32_t)((int32_t)((int32_t)L_31%(int32_t)((int32_t)64)))))+(int32_t)L_32)), (Il2CppArray *)(Il2CppArray *)L_33, 0, ((int32_t)((int32_t)L_34%(int32_t)((int32_t)64))), /*hidden argument*/NULL); int32_t L_35 = ___cbSize; __this->set__ProcessingBufferCount_7(((int32_t)((int32_t)L_35%(int32_t)((int32_t)64)))); } IL_00ce: { return; } } // System.Byte[] System.Security.Cryptography.SHA256Managed::HashFinal() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t SHA256Managed_HashFinal_m446039593_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* SHA256Managed_HashFinal_m446039593 (SHA256Managed_t2421982353 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA256Managed_HashFinal_m446039593_MetadataUsageId); s_Il2CppMethodIntialized = true; } ByteU5BU5D_t58506160* V_0 = NULL; int32_t V_1 = 0; int32_t V_2 = 0; { V_0 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)32))); ByteU5BU5D_t58506160* L_0 = __this->get__ProcessingBuffer_6(); int32_t L_1 = __this->get__ProcessingBufferCount_7(); SHA256Managed_ProcessFinalBlock_m2991256248(__this, L_0, 0, L_1, /*hidden argument*/NULL); V_1 = 0; goto IL_0052; } IL_0022: { V_2 = 0; goto IL_0047; } IL_0029: { ByteU5BU5D_t58506160* L_2 = V_0; int32_t L_3 = V_1; int32_t L_4 = V_2; UInt32U5BU5D_t2133601851* L_5 = __this->get__H_4(); int32_t L_6 = V_1; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, L_6); int32_t L_7 = L_6; int32_t L_8 = V_2; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, ((int32_t)((int32_t)((int32_t)((int32_t)L_3*(int32_t)4))+(int32_t)L_4))); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)((int32_t)((int32_t)L_3*(int32_t)4))+(int32_t)L_4))), (uint8_t)(((int32_t)((uint8_t)((int32_t)((uint32_t)((L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))>>((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)24)-(int32_t)((int32_t)((int32_t)L_8*(int32_t)8))))&(int32_t)((int32_t)31))))))))); int32_t L_9 = V_2; V_2 = ((int32_t)((int32_t)L_9+(int32_t)1)); } IL_0047: { int32_t L_10 = V_2; if ((((int32_t)L_10) < ((int32_t)4))) { goto IL_0029; } } { int32_t L_11 = V_1; V_1 = ((int32_t)((int32_t)L_11+(int32_t)1)); } IL_0052: { int32_t L_12 = V_1; if ((((int32_t)L_12) < ((int32_t)8))) { goto IL_0022; } } { ((HashAlgorithm_t24372250 *)__this)->set_State_2(0); ByteU5BU5D_t58506160* L_13 = V_0; return L_13; } } // System.Void System.Security.Cryptography.SHA256Managed::Initialize() extern "C" void SHA256Managed_Initialize_m2794356679 (SHA256Managed_t2421982353 * __this, const MethodInfo* method) { { __this->set_count_5((((int64_t)((int64_t)0)))); __this->set__ProcessingBufferCount_7(0); UInt32U5BU5D_t2133601851* L_0 = __this->get__H_4(); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint32_t)((int32_t)1779033703)); UInt32U5BU5D_t2133601851* L_1 = __this->get__H_4(); NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 1); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint32_t)((int32_t)-1150833019)); UInt32U5BU5D_t2133601851* L_2 = __this->get__H_4(); NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 2); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint32_t)((int32_t)1013904242)); UInt32U5BU5D_t2133601851* L_3 = __this->get__H_4(); NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 3); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint32_t)((int32_t)-1521486534)); UInt32U5BU5D_t2133601851* L_4 = __this->get__H_4(); NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 4); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(4), (uint32_t)((int32_t)1359893119)); UInt32U5BU5D_t2133601851* L_5 = __this->get__H_4(); NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, 5); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(5), (uint32_t)((int32_t)-1694144372)); UInt32U5BU5D_t2133601851* L_6 = __this->get__H_4(); NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 6); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(6), (uint32_t)((int32_t)528734635)); UInt32U5BU5D_t2133601851* L_7 = __this->get__H_4(); NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, 7); (L_7)->SetAt(static_cast<il2cpp_array_size_t>(7), (uint32_t)((int32_t)1541459225)); return; } } // System.Void System.Security.Cryptography.SHA256Managed::ProcessBlock(System.Byte[],System.Int32) extern TypeInfo* SHAConstants_t548183900_il2cpp_TypeInfo_var; extern const uint32_t SHA256Managed_ProcessBlock_m4117131779_MetadataUsageId; extern "C" void SHA256Managed_ProcessBlock_m4117131779 (SHA256Managed_t2421982353 * __this, ByteU5BU5D_t58506160* ___inputBuffer, int32_t ___inputOffset, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA256Managed_ProcessBlock_m4117131779_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint32_t V_0 = 0; uint32_t V_1 = 0; uint32_t V_2 = 0; uint32_t V_3 = 0; uint32_t V_4 = 0; uint32_t V_5 = 0; uint32_t V_6 = 0; uint32_t V_7 = 0; uint32_t V_8 = 0; uint32_t V_9 = 0; int32_t V_10 = 0; UInt32U5BU5D_t2133601851* V_11 = NULL; UInt32U5BU5D_t2133601851* V_12 = NULL; { IL2CPP_RUNTIME_CLASS_INIT(SHAConstants_t548183900_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_0 = ((SHAConstants_t548183900_StaticFields*)SHAConstants_t548183900_il2cpp_TypeInfo_var->static_fields)->get_K1_0(); V_11 = L_0; UInt32U5BU5D_t2133601851* L_1 = __this->get_buff_8(); V_12 = L_1; uint64_t L_2 = __this->get_count_5(); __this->set_count_5(((int64_t)((int64_t)L_2+(int64_t)(((int64_t)((int64_t)((int32_t)64))))))); V_10 = 0; goto IL_0063; } IL_0027: { UInt32U5BU5D_t2133601851* L_3 = V_12; int32_t L_4 = V_10; ByteU5BU5D_t58506160* L_5 = ___inputBuffer; int32_t L_6 = ___inputOffset; int32_t L_7 = V_10; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, ((int32_t)((int32_t)L_6+(int32_t)((int32_t)((int32_t)4*(int32_t)L_7))))); int32_t L_8 = ((int32_t)((int32_t)L_6+(int32_t)((int32_t)((int32_t)4*(int32_t)L_7)))); ByteU5BU5D_t58506160* L_9 = ___inputBuffer; int32_t L_10 = ___inputOffset; int32_t L_11 = V_10; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, ((int32_t)((int32_t)((int32_t)((int32_t)L_10+(int32_t)((int32_t)((int32_t)4*(int32_t)L_11))))+(int32_t)1))); int32_t L_12 = ((int32_t)((int32_t)((int32_t)((int32_t)L_10+(int32_t)((int32_t)((int32_t)4*(int32_t)L_11))))+(int32_t)1)); ByteU5BU5D_t58506160* L_13 = ___inputBuffer; int32_t L_14 = ___inputOffset; int32_t L_15 = V_10; NullCheck(L_13); IL2CPP_ARRAY_BOUNDS_CHECK(L_13, ((int32_t)((int32_t)((int32_t)((int32_t)L_14+(int32_t)((int32_t)((int32_t)4*(int32_t)L_15))))+(int32_t)2))); int32_t L_16 = ((int32_t)((int32_t)((int32_t)((int32_t)L_14+(int32_t)((int32_t)((int32_t)4*(int32_t)L_15))))+(int32_t)2)); ByteU5BU5D_t58506160* L_17 = ___inputBuffer; int32_t L_18 = ___inputOffset; int32_t L_19 = V_10; NullCheck(L_17); IL2CPP_ARRAY_BOUNDS_CHECK(L_17, ((int32_t)((int32_t)((int32_t)((int32_t)L_18+(int32_t)((int32_t)((int32_t)4*(int32_t)L_19))))+(int32_t)3))); int32_t L_20 = ((int32_t)((int32_t)((int32_t)((int32_t)L_18+(int32_t)((int32_t)((int32_t)4*(int32_t)L_19))))+(int32_t)3)); NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, L_4); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(L_4), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_8)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_9)->GetAt(static_cast<il2cpp_array_size_t>(L_12)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_16)))<<(int32_t)8))))|(int32_t)((L_17)->GetAt(static_cast<il2cpp_array_size_t>(L_20)))))); int32_t L_21 = V_10; V_10 = ((int32_t)((int32_t)L_21+(int32_t)1)); } IL_0063: { int32_t L_22 = V_10; if ((((int32_t)L_22) < ((int32_t)((int32_t)16)))) { goto IL_0027; } } { V_10 = ((int32_t)16); goto IL_00e5; } IL_0075: { UInt32U5BU5D_t2133601851* L_23 = V_12; int32_t L_24 = V_10; NullCheck(L_23); IL2CPP_ARRAY_BOUNDS_CHECK(L_23, ((int32_t)((int32_t)L_24-(int32_t)((int32_t)15)))); int32_t L_25 = ((int32_t)((int32_t)L_24-(int32_t)((int32_t)15))); V_8 = ((L_23)->GetAt(static_cast<il2cpp_array_size_t>(L_25))); uint32_t L_26 = V_8; uint32_t L_27 = V_8; uint32_t L_28 = V_8; uint32_t L_29 = V_8; uint32_t L_30 = V_8; V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_26>>7))|(int32_t)((int32_t)((int32_t)L_27<<(int32_t)((int32_t)25)))))^(int32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_28>>((int32_t)18)))|(int32_t)((int32_t)((int32_t)L_29<<(int32_t)((int32_t)14)))))))^(int32_t)((int32_t)((uint32_t)L_30>>3)))); UInt32U5BU5D_t2133601851* L_31 = V_12; int32_t L_32 = V_10; NullCheck(L_31); IL2CPP_ARRAY_BOUNDS_CHECK(L_31, ((int32_t)((int32_t)L_32-(int32_t)2))); int32_t L_33 = ((int32_t)((int32_t)L_32-(int32_t)2)); V_9 = ((L_31)->GetAt(static_cast<il2cpp_array_size_t>(L_33))); uint32_t L_34 = V_9; uint32_t L_35 = V_9; uint32_t L_36 = V_9; uint32_t L_37 = V_9; uint32_t L_38 = V_9; V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_34>>((int32_t)17)))|(int32_t)((int32_t)((int32_t)L_35<<(int32_t)((int32_t)15)))))^(int32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_36>>((int32_t)19)))|(int32_t)((int32_t)((int32_t)L_37<<(int32_t)((int32_t)13)))))))^(int32_t)((int32_t)((uint32_t)L_38>>((int32_t)10))))); UInt32U5BU5D_t2133601851* L_39 = V_12; int32_t L_40 = V_10; uint32_t L_41 = V_9; UInt32U5BU5D_t2133601851* L_42 = V_12; int32_t L_43 = V_10; NullCheck(L_42); IL2CPP_ARRAY_BOUNDS_CHECK(L_42, ((int32_t)((int32_t)L_43-(int32_t)7))); int32_t L_44 = ((int32_t)((int32_t)L_43-(int32_t)7)); uint32_t L_45 = V_8; UInt32U5BU5D_t2133601851* L_46 = V_12; int32_t L_47 = V_10; NullCheck(L_46); IL2CPP_ARRAY_BOUNDS_CHECK(L_46, ((int32_t)((int32_t)L_47-(int32_t)((int32_t)16)))); int32_t L_48 = ((int32_t)((int32_t)L_47-(int32_t)((int32_t)16))); NullCheck(L_39); IL2CPP_ARRAY_BOUNDS_CHECK(L_39, L_40); (L_39)->SetAt(static_cast<il2cpp_array_size_t>(L_40), (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_41+(int32_t)((L_42)->GetAt(static_cast<il2cpp_array_size_t>(L_44)))))+(int32_t)L_45))+(int32_t)((L_46)->GetAt(static_cast<il2cpp_array_size_t>(L_48)))))); int32_t L_49 = V_10; V_10 = ((int32_t)((int32_t)L_49+(int32_t)1)); } IL_00e5: { int32_t L_50 = V_10; if ((((int32_t)L_50) < ((int32_t)((int32_t)64)))) { goto IL_0075; } } { UInt32U5BU5D_t2133601851* L_51 = __this->get__H_4(); NullCheck(L_51); IL2CPP_ARRAY_BOUNDS_CHECK(L_51, 0); int32_t L_52 = 0; V_0 = ((L_51)->GetAt(static_cast<il2cpp_array_size_t>(L_52))); UInt32U5BU5D_t2133601851* L_53 = __this->get__H_4(); NullCheck(L_53); IL2CPP_ARRAY_BOUNDS_CHECK(L_53, 1); int32_t L_54 = 1; V_1 = ((L_53)->GetAt(static_cast<il2cpp_array_size_t>(L_54))); UInt32U5BU5D_t2133601851* L_55 = __this->get__H_4(); NullCheck(L_55); IL2CPP_ARRAY_BOUNDS_CHECK(L_55, 2); int32_t L_56 = 2; V_2 = ((L_55)->GetAt(static_cast<il2cpp_array_size_t>(L_56))); UInt32U5BU5D_t2133601851* L_57 = __this->get__H_4(); NullCheck(L_57); IL2CPP_ARRAY_BOUNDS_CHECK(L_57, 3); int32_t L_58 = 3; V_3 = ((L_57)->GetAt(static_cast<il2cpp_array_size_t>(L_58))); UInt32U5BU5D_t2133601851* L_59 = __this->get__H_4(); NullCheck(L_59); IL2CPP_ARRAY_BOUNDS_CHECK(L_59, 4); int32_t L_60 = 4; V_4 = ((L_59)->GetAt(static_cast<il2cpp_array_size_t>(L_60))); UInt32U5BU5D_t2133601851* L_61 = __this->get__H_4(); NullCheck(L_61); IL2CPP_ARRAY_BOUNDS_CHECK(L_61, 5); int32_t L_62 = 5; V_5 = ((L_61)->GetAt(static_cast<il2cpp_array_size_t>(L_62))); UInt32U5BU5D_t2133601851* L_63 = __this->get__H_4(); NullCheck(L_63); IL2CPP_ARRAY_BOUNDS_CHECK(L_63, 6); int32_t L_64 = 6; V_6 = ((L_63)->GetAt(static_cast<il2cpp_array_size_t>(L_64))); UInt32U5BU5D_t2133601851* L_65 = __this->get__H_4(); NullCheck(L_65); IL2CPP_ARRAY_BOUNDS_CHECK(L_65, 7); int32_t L_66 = 7; V_7 = ((L_65)->GetAt(static_cast<il2cpp_array_size_t>(L_66))); V_10 = 0; goto IL_01d3; } IL_0142: { uint32_t L_67 = V_7; uint32_t L_68 = V_4; uint32_t L_69 = V_4; uint32_t L_70 = V_4; uint32_t L_71 = V_4; uint32_t L_72 = V_4; uint32_t L_73 = V_4; uint32_t L_74 = V_4; uint32_t L_75 = V_5; uint32_t L_76 = V_4; uint32_t L_77 = V_6; UInt32U5BU5D_t2133601851* L_78 = V_11; int32_t L_79 = V_10; NullCheck(L_78); IL2CPP_ARRAY_BOUNDS_CHECK(L_78, L_79); int32_t L_80 = L_79; UInt32U5BU5D_t2133601851* L_81 = V_12; int32_t L_82 = V_10; NullCheck(L_81); IL2CPP_ARRAY_BOUNDS_CHECK(L_81, L_82); int32_t L_83 = L_82; V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_67+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_68>>6))|(int32_t)((int32_t)((int32_t)L_69<<(int32_t)((int32_t)26)))))^(int32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_70>>((int32_t)11)))|(int32_t)((int32_t)((int32_t)L_71<<(int32_t)((int32_t)21)))))))^(int32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_72>>((int32_t)25)))|(int32_t)((int32_t)((int32_t)L_73<<(int32_t)7))))))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_74&(int32_t)L_75))^(int32_t)((int32_t)((int32_t)((~L_76))&(int32_t)L_77))))))+(int32_t)((L_78)->GetAt(static_cast<il2cpp_array_size_t>(L_80)))))+(int32_t)((L_81)->GetAt(static_cast<il2cpp_array_size_t>(L_83))))); uint32_t L_84 = V_0; uint32_t L_85 = V_0; uint32_t L_86 = V_0; uint32_t L_87 = V_0; uint32_t L_88 = V_0; uint32_t L_89 = V_0; V_9 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_84>>2))|(int32_t)((int32_t)((int32_t)L_85<<(int32_t)((int32_t)30)))))^(int32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_86>>((int32_t)13)))|(int32_t)((int32_t)((int32_t)L_87<<(int32_t)((int32_t)19)))))))^(int32_t)((int32_t)((int32_t)((int32_t)((uint32_t)L_88>>((int32_t)22)))|(int32_t)((int32_t)((int32_t)L_89<<(int32_t)((int32_t)10))))))); uint32_t L_90 = V_9; uint32_t L_91 = V_0; uint32_t L_92 = V_1; uint32_t L_93 = V_0; uint32_t L_94 = V_2; uint32_t L_95 = V_1; uint32_t L_96 = V_2; V_9 = ((int32_t)((int32_t)L_90+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_91&(int32_t)L_92))^(int32_t)((int32_t)((int32_t)L_93&(int32_t)L_94))))^(int32_t)((int32_t)((int32_t)L_95&(int32_t)L_96)))))); uint32_t L_97 = V_6; V_7 = L_97; uint32_t L_98 = V_5; V_6 = L_98; uint32_t L_99 = V_4; V_5 = L_99; uint32_t L_100 = V_3; uint32_t L_101 = V_8; V_4 = ((int32_t)((int32_t)L_100+(int32_t)L_101)); uint32_t L_102 = V_2; V_3 = L_102; uint32_t L_103 = V_1; V_2 = L_103; uint32_t L_104 = V_0; V_1 = L_104; uint32_t L_105 = V_8; uint32_t L_106 = V_9; V_0 = ((int32_t)((int32_t)L_105+(int32_t)L_106)); int32_t L_107 = V_10; V_10 = ((int32_t)((int32_t)L_107+(int32_t)1)); } IL_01d3: { int32_t L_108 = V_10; if ((((int32_t)L_108) < ((int32_t)((int32_t)64)))) { goto IL_0142; } } { UInt32U5BU5D_t2133601851* L_109 = __this->get__H_4(); NullCheck(L_109); IL2CPP_ARRAY_BOUNDS_CHECK(L_109, 0); uint32_t* L_110 = ((L_109)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))); uint32_t L_111 = V_0; *((int32_t*)(L_110)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_110))+(int32_t)L_111)); UInt32U5BU5D_t2133601851* L_112 = __this->get__H_4(); NullCheck(L_112); IL2CPP_ARRAY_BOUNDS_CHECK(L_112, 1); uint32_t* L_113 = ((L_112)->GetAddressAt(static_cast<il2cpp_array_size_t>(1))); uint32_t L_114 = V_1; *((int32_t*)(L_113)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_113))+(int32_t)L_114)); UInt32U5BU5D_t2133601851* L_115 = __this->get__H_4(); NullCheck(L_115); IL2CPP_ARRAY_BOUNDS_CHECK(L_115, 2); uint32_t* L_116 = ((L_115)->GetAddressAt(static_cast<il2cpp_array_size_t>(2))); uint32_t L_117 = V_2; *((int32_t*)(L_116)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_116))+(int32_t)L_117)); UInt32U5BU5D_t2133601851* L_118 = __this->get__H_4(); NullCheck(L_118); IL2CPP_ARRAY_BOUNDS_CHECK(L_118, 3); uint32_t* L_119 = ((L_118)->GetAddressAt(static_cast<il2cpp_array_size_t>(3))); uint32_t L_120 = V_3; *((int32_t*)(L_119)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_119))+(int32_t)L_120)); UInt32U5BU5D_t2133601851* L_121 = __this->get__H_4(); NullCheck(L_121); IL2CPP_ARRAY_BOUNDS_CHECK(L_121, 4); uint32_t* L_122 = ((L_121)->GetAddressAt(static_cast<il2cpp_array_size_t>(4))); uint32_t L_123 = V_4; *((int32_t*)(L_122)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_122))+(int32_t)L_123)); UInt32U5BU5D_t2133601851* L_124 = __this->get__H_4(); NullCheck(L_124); IL2CPP_ARRAY_BOUNDS_CHECK(L_124, 5); uint32_t* L_125 = ((L_124)->GetAddressAt(static_cast<il2cpp_array_size_t>(5))); uint32_t L_126 = V_5; *((int32_t*)(L_125)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_125))+(int32_t)L_126)); UInt32U5BU5D_t2133601851* L_127 = __this->get__H_4(); NullCheck(L_127); IL2CPP_ARRAY_BOUNDS_CHECK(L_127, 6); uint32_t* L_128 = ((L_127)->GetAddressAt(static_cast<il2cpp_array_size_t>(6))); uint32_t L_129 = V_6; *((int32_t*)(L_128)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_128))+(int32_t)L_129)); UInt32U5BU5D_t2133601851* L_130 = __this->get__H_4(); NullCheck(L_130); IL2CPP_ARRAY_BOUNDS_CHECK(L_130, 7); uint32_t* L_131 = ((L_130)->GetAddressAt(static_cast<il2cpp_array_size_t>(7))); uint32_t L_132 = V_7; *((int32_t*)(L_131)) = (int32_t)((int32_t)((int32_t)(*((uint32_t*)L_131))+(int32_t)L_132)); return; } } // System.Void System.Security.Cryptography.SHA256Managed::ProcessFinalBlock(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t SHA256Managed_ProcessFinalBlock_m2991256248_MetadataUsageId; extern "C" void SHA256Managed_ProcessFinalBlock_m2991256248 (SHA256Managed_t2421982353 * __this, ByteU5BU5D_t58506160* ___inputBuffer, int32_t ___inputOffset, int32_t ___inputCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA256Managed_ProcessFinalBlock_m2991256248_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint64_t V_0 = 0; int32_t V_1 = 0; ByteU5BU5D_t58506160* V_2 = NULL; int32_t V_3 = 0; int32_t V_4 = 0; uint64_t V_5 = 0; { uint64_t L_0 = __this->get_count_5(); int32_t L_1 = ___inputCount; V_0 = ((int64_t)((int64_t)L_0+(int64_t)(((int64_t)((int64_t)L_1))))); uint64_t L_2 = V_0; V_1 = ((int32_t)((int32_t)((int32_t)56)-(int32_t)(((int32_t)((int32_t)((int64_t)((uint64_t)(int64_t)L_2%(uint64_t)(int64_t)(((int64_t)((int64_t)((int32_t)64))))))))))); int32_t L_3 = V_1; if ((((int32_t)L_3) >= ((int32_t)1))) { goto IL_0020; } } { int32_t L_4 = V_1; V_1 = ((int32_t)((int32_t)L_4+(int32_t)((int32_t)64))); } IL_0020: { int32_t L_5 = ___inputCount; int32_t L_6 = V_1; V_2 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)L_6))+(int32_t)8)))); V_3 = 0; goto IL_003e; } IL_0032: { ByteU5BU5D_t58506160* L_7 = V_2; int32_t L_8 = V_3; ByteU5BU5D_t58506160* L_9 = ___inputBuffer; int32_t L_10 = V_3; int32_t L_11 = ___inputOffset; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, ((int32_t)((int32_t)L_10+(int32_t)L_11))); int32_t L_12 = ((int32_t)((int32_t)L_10+(int32_t)L_11)); NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, L_8); (L_7)->SetAt(static_cast<il2cpp_array_size_t>(L_8), (uint8_t)((L_9)->GetAt(static_cast<il2cpp_array_size_t>(L_12)))); int32_t L_13 = V_3; V_3 = ((int32_t)((int32_t)L_13+(int32_t)1)); } IL_003e: { int32_t L_14 = V_3; int32_t L_15 = ___inputCount; if ((((int32_t)L_14) < ((int32_t)L_15))) { goto IL_0032; } } { ByteU5BU5D_t58506160* L_16 = V_2; int32_t L_17 = ___inputCount; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, L_17); (L_16)->SetAt(static_cast<il2cpp_array_size_t>(L_17), (uint8_t)((int32_t)128)); int32_t L_18 = ___inputCount; V_4 = ((int32_t)((int32_t)L_18+(int32_t)1)); goto IL_0062; } IL_0057: { ByteU5BU5D_t58506160* L_19 = V_2; int32_t L_20 = V_4; NullCheck(L_19); IL2CPP_ARRAY_BOUNDS_CHECK(L_19, L_20); (L_19)->SetAt(static_cast<il2cpp_array_size_t>(L_20), (uint8_t)0); int32_t L_21 = V_4; V_4 = ((int32_t)((int32_t)L_21+(int32_t)1)); } IL_0062: { int32_t L_22 = V_4; int32_t L_23 = ___inputCount; int32_t L_24 = V_1; if ((((int32_t)L_22) < ((int32_t)((int32_t)((int32_t)L_23+(int32_t)L_24))))) { goto IL_0057; } } { uint64_t L_25 = V_0; V_5 = ((int64_t)((int64_t)L_25<<(int32_t)3)); uint64_t L_26 = V_5; ByteU5BU5D_t58506160* L_27 = V_2; int32_t L_28 = ___inputCount; int32_t L_29 = V_1; SHA256Managed_AddLength_m4004035979(__this, L_26, L_27, ((int32_t)((int32_t)L_28+(int32_t)L_29)), /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_30 = V_2; SHA256Managed_ProcessBlock_m4117131779(__this, L_30, 0, /*hidden argument*/NULL); int32_t L_31 = ___inputCount; int32_t L_32 = V_1; if ((!(((uint32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_31+(int32_t)L_32))+(int32_t)8))) == ((uint32_t)((int32_t)128))))) { goto IL_009d; } } { ByteU5BU5D_t58506160* L_33 = V_2; SHA256Managed_ProcessBlock_m4117131779(__this, L_33, ((int32_t)64), /*hidden argument*/NULL); } IL_009d: { return; } } // System.Void System.Security.Cryptography.SHA256Managed::AddLength(System.UInt64,System.Byte[],System.Int32) extern "C" void SHA256Managed_AddLength_m4004035979 (SHA256Managed_t2421982353 * __this, uint64_t ___length, ByteU5BU5D_t58506160* ___buffer, int32_t ___position, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = ___buffer; int32_t L_1 = ___position; int32_t L_2 = L_1; ___position = ((int32_t)((int32_t)L_2+(int32_t)1)); uint64_t L_3 = ___length; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_2); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_2), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_3>>((int32_t)56))))))); ByteU5BU5D_t58506160* L_4 = ___buffer; int32_t L_5 = ___position; int32_t L_6 = L_5; ___position = ((int32_t)((int32_t)L_6+(int32_t)1)); uint64_t L_7 = ___length; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, L_6); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(L_6), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_7>>((int32_t)48))))))); ByteU5BU5D_t58506160* L_8 = ___buffer; int32_t L_9 = ___position; int32_t L_10 = L_9; ___position = ((int32_t)((int32_t)L_10+(int32_t)1)); uint64_t L_11 = ___length; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, L_10); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(L_10), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_11>>((int32_t)40))))))); ByteU5BU5D_t58506160* L_12 = ___buffer; int32_t L_13 = ___position; int32_t L_14 = L_13; ___position = ((int32_t)((int32_t)L_14+(int32_t)1)); uint64_t L_15 = ___length; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, L_14); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(L_14), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_15>>((int32_t)32))))))); ByteU5BU5D_t58506160* L_16 = ___buffer; int32_t L_17 = ___position; int32_t L_18 = L_17; ___position = ((int32_t)((int32_t)L_18+(int32_t)1)); uint64_t L_19 = ___length; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, L_18); (L_16)->SetAt(static_cast<il2cpp_array_size_t>(L_18), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_19>>((int32_t)24))))))); ByteU5BU5D_t58506160* L_20 = ___buffer; int32_t L_21 = ___position; int32_t L_22 = L_21; ___position = ((int32_t)((int32_t)L_22+(int32_t)1)); uint64_t L_23 = ___length; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, L_22); (L_20)->SetAt(static_cast<il2cpp_array_size_t>(L_22), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_23>>((int32_t)16))))))); ByteU5BU5D_t58506160* L_24 = ___buffer; int32_t L_25 = ___position; int32_t L_26 = L_25; ___position = ((int32_t)((int32_t)L_26+(int32_t)1)); uint64_t L_27 = ___length; NullCheck(L_24); IL2CPP_ARRAY_BOUNDS_CHECK(L_24, L_26); (L_24)->SetAt(static_cast<il2cpp_array_size_t>(L_26), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_27>>8)))))); ByteU5BU5D_t58506160* L_28 = ___buffer; int32_t L_29 = ___position; uint64_t L_30 = ___length; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, L_29); (L_28)->SetAt(static_cast<il2cpp_array_size_t>(L_29), (uint8_t)(((int32_t)((uint8_t)L_30)))); return; } } // System.Void System.Security.Cryptography.SHA384::.ctor() extern "C" void SHA384__ctor_m2952988926 (SHA384_t4002184092 * __this, const MethodInfo* method) { { HashAlgorithm__ctor_m1204858244(__this, /*hidden argument*/NULL); ((HashAlgorithm_t24372250 *)__this)->set_HashSizeValue_1(((int32_t)384)); return; } } // System.Void System.Security.Cryptography.SHA384Managed::.ctor() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern TypeInfo* UInt64U5BU5D_t1076796800_il2cpp_TypeInfo_var; extern const uint32_t SHA384Managed__ctor_m3972787977_MetadataUsageId; extern "C" void SHA384Managed__ctor_m3972787977 (SHA384Managed_t1907419381 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA384Managed__ctor_m3972787977_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SHA384__ctor_m2952988926(__this, /*hidden argument*/NULL); __this->set_xBuf_4(((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)8))); __this->set_W_16(((UInt64U5BU5D_t1076796800*)SZArrayNew(UInt64U5BU5D_t1076796800_il2cpp_TypeInfo_var, (uint32_t)((int32_t)80)))); SHA384Managed_Initialize_m2139501410(__this, (bool)0, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.SHA384Managed::Initialize(System.Boolean) extern "C" void SHA384Managed_Initialize_m2139501410 (SHA384Managed_t1907419381 * __this, bool ___reuse, const MethodInfo* method) { int32_t V_0 = 0; int32_t V_1 = 0; { __this->set_H1_8(((int64_t)-3766243637369397544LL)); __this->set_H2_9(((int64_t)7105036623409894663LL)); __this->set_H3_10(((int64_t)-7973340178411365097LL)); __this->set_H4_11(((int64_t)1526699215303891257LL)); __this->set_H5_12(((int64_t)7436329637833083697LL)); __this->set_H6_13(((int64_t)-8163818279084223215LL)); __this->set_H7_14(((int64_t)-2662702644619276377LL)); __this->set_H8_15(((int64_t)5167115440072839076LL)); bool L_0 = ___reuse; if (!L_0) { goto IL_00e1; } } { __this->set_byteCount1_6((((int64_t)((int64_t)0)))); __this->set_byteCount2_7((((int64_t)((int64_t)0)))); __this->set_xBufOff_5(0); V_0 = 0; goto IL_00a9; } IL_009c: { ByteU5BU5D_t58506160* L_1 = __this->get_xBuf_4(); int32_t L_2 = V_0; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(L_2), (uint8_t)0); int32_t L_3 = V_0; V_0 = ((int32_t)((int32_t)L_3+(int32_t)1)); } IL_00a9: { int32_t L_4 = V_0; ByteU5BU5D_t58506160* L_5 = __this->get_xBuf_4(); NullCheck(L_5); if ((((int32_t)L_4) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_5)->max_length))))))) { goto IL_009c; } } { __this->set_wOff_17(0); V_1 = 0; goto IL_00d3; } IL_00c5: { UInt64U5BU5D_t1076796800* L_6 = __this->get_W_16(); int32_t L_7 = V_1; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, L_7); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(L_7), (uint64_t)(((int64_t)((int64_t)0)))); int32_t L_8 = V_1; V_1 = ((int32_t)((int32_t)L_8+(int32_t)1)); } IL_00d3: { int32_t L_9 = V_1; UInt64U5BU5D_t1076796800* L_10 = __this->get_W_16(); NullCheck(L_10); if ((!(((uint32_t)L_9) == ((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_10)->max_length)))))))) { goto IL_00c5; } } IL_00e1: { return; } } // System.Void System.Security.Cryptography.SHA384Managed::Initialize() extern "C" void SHA384Managed_Initialize_m1947821355 (SHA384Managed_t1907419381 * __this, const MethodInfo* method) { { SHA384Managed_Initialize_m2139501410(__this, (bool)1, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.SHA384Managed::HashCore(System.Byte[],System.Int32,System.Int32) extern "C" void SHA384Managed_HashCore_m467338305 (SHA384Managed_t1907419381 * __this, ByteU5BU5D_t58506160* ___rgb, int32_t ___ibStart, int32_t ___cbSize, const MethodInfo* method) { { goto IL_0018; } IL_0005: { ByteU5BU5D_t58506160* L_0 = ___rgb; int32_t L_1 = ___ibStart; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_1); int32_t L_2 = L_1; SHA384Managed_update_m2768239591(__this, ((L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_2))), /*hidden argument*/NULL); int32_t L_3 = ___ibStart; ___ibStart = ((int32_t)((int32_t)L_3+(int32_t)1)); int32_t L_4 = ___cbSize; ___cbSize = ((int32_t)((int32_t)L_4-(int32_t)1)); } IL_0018: { int32_t L_5 = __this->get_xBufOff_5(); if (!L_5) { goto IL_002a; } } { int32_t L_6 = ___cbSize; if ((((int32_t)L_6) > ((int32_t)0))) { goto IL_0005; } } IL_002a: { goto IL_0065; } IL_002f: { ByteU5BU5D_t58506160* L_7 = ___rgb; int32_t L_8 = ___ibStart; SHA384Managed_processWord_m2575145806(__this, L_7, L_8, /*hidden argument*/NULL); int32_t L_9 = ___ibStart; ByteU5BU5D_t58506160* L_10 = __this->get_xBuf_4(); NullCheck(L_10); ___ibStart = ((int32_t)((int32_t)L_9+(int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_10)->max_length)))))); int32_t L_11 = ___cbSize; ByteU5BU5D_t58506160* L_12 = __this->get_xBuf_4(); NullCheck(L_12); ___cbSize = ((int32_t)((int32_t)L_11-(int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_12)->max_length)))))); uint64_t L_13 = __this->get_byteCount1_6(); ByteU5BU5D_t58506160* L_14 = __this->get_xBuf_4(); NullCheck(L_14); __this->set_byteCount1_6(((int64_t)((int64_t)L_13+(int64_t)(((int64_t)((int64_t)(((int32_t)((int32_t)(((Il2CppArray *)L_14)->max_length)))))))))); } IL_0065: { int32_t L_15 = ___cbSize; ByteU5BU5D_t58506160* L_16 = __this->get_xBuf_4(); NullCheck(L_16); if ((((int32_t)L_15) > ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_16)->max_length))))))) { goto IL_002f; } } { goto IL_008b; } IL_0078: { ByteU5BU5D_t58506160* L_17 = ___rgb; int32_t L_18 = ___ibStart; NullCheck(L_17); IL2CPP_ARRAY_BOUNDS_CHECK(L_17, L_18); int32_t L_19 = L_18; SHA384Managed_update_m2768239591(__this, ((L_17)->GetAt(static_cast<il2cpp_array_size_t>(L_19))), /*hidden argument*/NULL); int32_t L_20 = ___ibStart; ___ibStart = ((int32_t)((int32_t)L_20+(int32_t)1)); int32_t L_21 = ___cbSize; ___cbSize = ((int32_t)((int32_t)L_21-(int32_t)1)); } IL_008b: { int32_t L_22 = ___cbSize; if ((((int32_t)L_22) > ((int32_t)0))) { goto IL_0078; } } { return; } } // System.Byte[] System.Security.Cryptography.SHA384Managed::HashFinal() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t SHA384Managed_HashFinal_m3743867973_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* SHA384Managed_HashFinal_m3743867973 (SHA384Managed_t1907419381 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA384Managed_HashFinal_m3743867973_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint64_t V_0 = 0; uint64_t V_1 = 0; ByteU5BU5D_t58506160* V_2 = NULL; { SHA384Managed_adjustByteCounts_m2303565974(__this, /*hidden argument*/NULL); uint64_t L_0 = __this->get_byteCount1_6(); V_0 = ((int64_t)((int64_t)L_0<<(int32_t)3)); uint64_t L_1 = __this->get_byteCount2_7(); V_1 = L_1; SHA384Managed_update_m2768239591(__this, ((int32_t)128), /*hidden argument*/NULL); goto IL_002d; } IL_0026: { SHA384Managed_update_m2768239591(__this, 0, /*hidden argument*/NULL); } IL_002d: { int32_t L_2 = __this->get_xBufOff_5(); if (L_2) { goto IL_0026; } } { uint64_t L_3 = V_0; uint64_t L_4 = V_1; SHA384Managed_processLength_m3108542004(__this, L_3, L_4, /*hidden argument*/NULL); SHA384Managed_processBlock_m2376644313(__this, /*hidden argument*/NULL); V_2 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)48))); uint64_t L_5 = __this->get_H1_8(); ByteU5BU5D_t58506160* L_6 = V_2; SHA384Managed_unpackWord_m3056553264(__this, L_5, L_6, 0, /*hidden argument*/NULL); uint64_t L_7 = __this->get_H2_9(); ByteU5BU5D_t58506160* L_8 = V_2; SHA384Managed_unpackWord_m3056553264(__this, L_7, L_8, 8, /*hidden argument*/NULL); uint64_t L_9 = __this->get_H3_10(); ByteU5BU5D_t58506160* L_10 = V_2; SHA384Managed_unpackWord_m3056553264(__this, L_9, L_10, ((int32_t)16), /*hidden argument*/NULL); uint64_t L_11 = __this->get_H4_11(); ByteU5BU5D_t58506160* L_12 = V_2; SHA384Managed_unpackWord_m3056553264(__this, L_11, L_12, ((int32_t)24), /*hidden argument*/NULL); uint64_t L_13 = __this->get_H5_12(); ByteU5BU5D_t58506160* L_14 = V_2; SHA384Managed_unpackWord_m3056553264(__this, L_13, L_14, ((int32_t)32), /*hidden argument*/NULL); uint64_t L_15 = __this->get_H6_13(); ByteU5BU5D_t58506160* L_16 = V_2; SHA384Managed_unpackWord_m3056553264(__this, L_15, L_16, ((int32_t)40), /*hidden argument*/NULL); VirtActionInvoker0::Invoke(13 /* System.Void System.Security.Cryptography.SHA384Managed::Initialize() */, __this); ByteU5BU5D_t58506160* L_17 = V_2; return L_17; } } // System.Void System.Security.Cryptography.SHA384Managed::update(System.Byte) extern "C" void SHA384Managed_update_m2768239591 (SHA384Managed_t1907419381 * __this, uint8_t ___input, const MethodInfo* method) { int32_t V_0 = 0; { ByteU5BU5D_t58506160* L_0 = __this->get_xBuf_4(); int32_t L_1 = __this->get_xBufOff_5(); int32_t L_2 = L_1; V_0 = L_2; __this->set_xBufOff_5(((int32_t)((int32_t)L_2+(int32_t)1))); int32_t L_3 = V_0; uint8_t L_4 = ___input; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_3); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_3), (uint8_t)L_4); int32_t L_5 = __this->get_xBufOff_5(); ByteU5BU5D_t58506160* L_6 = __this->get_xBuf_4(); NullCheck(L_6); if ((!(((uint32_t)L_5) == ((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length)))))))) { goto IL_0040; } } { ByteU5BU5D_t58506160* L_7 = __this->get_xBuf_4(); SHA384Managed_processWord_m2575145806(__this, L_7, 0, /*hidden argument*/NULL); __this->set_xBufOff_5(0); } IL_0040: { uint64_t L_8 = __this->get_byteCount1_6(); __this->set_byteCount1_6(((int64_t)((int64_t)L_8+(int64_t)(((int64_t)((int64_t)1)))))); return; } } // System.Void System.Security.Cryptography.SHA384Managed::processWord(System.Byte[],System.Int32) extern "C" void SHA384Managed_processWord_m2575145806 (SHA384Managed_t1907419381 * __this, ByteU5BU5D_t58506160* ___input, int32_t ___inOff, const MethodInfo* method) { int32_t V_0 = 0; { UInt64U5BU5D_t1076796800* L_0 = __this->get_W_16(); int32_t L_1 = __this->get_wOff_17(); int32_t L_2 = L_1; V_0 = L_2; __this->set_wOff_17(((int32_t)((int32_t)L_2+(int32_t)1))); int32_t L_3 = V_0; ByteU5BU5D_t58506160* L_4 = ___input; int32_t L_5 = ___inOff; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, L_5); int32_t L_6 = L_5; ByteU5BU5D_t58506160* L_7 = ___input; int32_t L_8 = ___inOff; NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, ((int32_t)((int32_t)L_8+(int32_t)1))); int32_t L_9 = ((int32_t)((int32_t)L_8+(int32_t)1)); ByteU5BU5D_t58506160* L_10 = ___input; int32_t L_11 = ___inOff; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, ((int32_t)((int32_t)L_11+(int32_t)2))); int32_t L_12 = ((int32_t)((int32_t)L_11+(int32_t)2)); ByteU5BU5D_t58506160* L_13 = ___input; int32_t L_14 = ___inOff; NullCheck(L_13); IL2CPP_ARRAY_BOUNDS_CHECK(L_13, ((int32_t)((int32_t)L_14+(int32_t)3))); int32_t L_15 = ((int32_t)((int32_t)L_14+(int32_t)3)); ByteU5BU5D_t58506160* L_16 = ___input; int32_t L_17 = ___inOff; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, ((int32_t)((int32_t)L_17+(int32_t)4))); int32_t L_18 = ((int32_t)((int32_t)L_17+(int32_t)4)); ByteU5BU5D_t58506160* L_19 = ___input; int32_t L_20 = ___inOff; NullCheck(L_19); IL2CPP_ARRAY_BOUNDS_CHECK(L_19, ((int32_t)((int32_t)L_20+(int32_t)5))); int32_t L_21 = ((int32_t)((int32_t)L_20+(int32_t)5)); ByteU5BU5D_t58506160* L_22 = ___input; int32_t L_23 = ___inOff; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, ((int32_t)((int32_t)L_23+(int32_t)6))); int32_t L_24 = ((int32_t)((int32_t)L_23+(int32_t)6)); ByteU5BU5D_t58506160* L_25 = ___input; int32_t L_26 = ___inOff; NullCheck(L_25); IL2CPP_ARRAY_BOUNDS_CHECK(L_25, ((int32_t)((int32_t)L_26+(int32_t)7))); int32_t L_27 = ((int32_t)((int32_t)L_26+(int32_t)7)); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_3); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_3), (uint64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6))))))<<(int32_t)((int32_t)56)))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_7)->GetAt(static_cast<il2cpp_array_size_t>(L_9))))))<<(int32_t)((int32_t)48)))))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_12))))))<<(int32_t)((int32_t)40)))))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15))))))<<(int32_t)((int32_t)32)))))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_18))))))<<(int32_t)((int32_t)24)))))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_19)->GetAt(static_cast<il2cpp_array_size_t>(L_21))))))<<(int32_t)((int32_t)16)))))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_22)->GetAt(static_cast<il2cpp_array_size_t>(L_24))))))<<(int32_t)8))))|(int64_t)(((int64_t)((uint64_t)((L_25)->GetAt(static_cast<il2cpp_array_size_t>(L_27))))))))); int32_t L_28 = __this->get_wOff_17(); if ((!(((uint32_t)L_28) == ((uint32_t)((int32_t)16))))) { goto IL_0074; } } { SHA384Managed_processBlock_m2376644313(__this, /*hidden argument*/NULL); } IL_0074: { return; } } // System.Void System.Security.Cryptography.SHA384Managed::unpackWord(System.UInt64,System.Byte[],System.Int32) extern "C" void SHA384Managed_unpackWord_m3056553264 (SHA384Managed_t1907419381 * __this, uint64_t ___word, ByteU5BU5D_t58506160* ___output, int32_t ___outOff, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = ___output; int32_t L_1 = ___outOff; uint64_t L_2 = ___word; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_1); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_1), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_2>>((int32_t)56))))))); ByteU5BU5D_t58506160* L_3 = ___output; int32_t L_4 = ___outOff; uint64_t L_5 = ___word; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, ((int32_t)((int32_t)L_4+(int32_t)1))); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_4+(int32_t)1))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_5>>((int32_t)48))))))); ByteU5BU5D_t58506160* L_6 = ___output; int32_t L_7 = ___outOff; uint64_t L_8 = ___word; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, ((int32_t)((int32_t)L_7+(int32_t)2))); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_7+(int32_t)2))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_8>>((int32_t)40))))))); ByteU5BU5D_t58506160* L_9 = ___output; int32_t L_10 = ___outOff; uint64_t L_11 = ___word; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, ((int32_t)((int32_t)L_10+(int32_t)3))); (L_9)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_10+(int32_t)3))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_11>>((int32_t)32))))))); ByteU5BU5D_t58506160* L_12 = ___output; int32_t L_13 = ___outOff; uint64_t L_14 = ___word; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, ((int32_t)((int32_t)L_13+(int32_t)4))); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_13+(int32_t)4))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_14>>((int32_t)24))))))); ByteU5BU5D_t58506160* L_15 = ___output; int32_t L_16 = ___outOff; uint64_t L_17 = ___word; NullCheck(L_15); IL2CPP_ARRAY_BOUNDS_CHECK(L_15, ((int32_t)((int32_t)L_16+(int32_t)5))); (L_15)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_16+(int32_t)5))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_17>>((int32_t)16))))))); ByteU5BU5D_t58506160* L_18 = ___output; int32_t L_19 = ___outOff; uint64_t L_20 = ___word; NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, ((int32_t)((int32_t)L_19+(int32_t)6))); (L_18)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_19+(int32_t)6))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_20>>8)))))); ByteU5BU5D_t58506160* L_21 = ___output; int32_t L_22 = ___outOff; uint64_t L_23 = ___word; NullCheck(L_21); IL2CPP_ARRAY_BOUNDS_CHECK(L_21, ((int32_t)((int32_t)L_22+(int32_t)7))); (L_21)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_22+(int32_t)7))), (uint8_t)(((int32_t)((uint8_t)L_23)))); return; } } // System.Void System.Security.Cryptography.SHA384Managed::adjustByteCounts() extern "C" void SHA384Managed_adjustByteCounts_m2303565974 (SHA384Managed_t1907419381 * __this, const MethodInfo* method) { { uint64_t L_0 = __this->get_byteCount1_6(); if ((!(((uint64_t)L_0) > ((uint64_t)((int64_t)2305843009213693951LL))))) { goto IL_0040; } } { uint64_t L_1 = __this->get_byteCount2_7(); uint64_t L_2 = __this->get_byteCount1_6(); __this->set_byteCount2_7(((int64_t)((int64_t)L_1+(int64_t)((int64_t)((uint64_t)L_2>>((int32_t)61)))))); uint64_t L_3 = __this->get_byteCount1_6(); __this->set_byteCount1_6(((int64_t)((int64_t)L_3&(int64_t)((int64_t)2305843009213693951LL)))); } IL_0040: { return; } } // System.Void System.Security.Cryptography.SHA384Managed::processLength(System.UInt64,System.UInt64) extern "C" void SHA384Managed_processLength_m3108542004 (SHA384Managed_t1907419381 * __this, uint64_t ___lowW, uint64_t ___hiW, const MethodInfo* method) { { int32_t L_0 = __this->get_wOff_17(); if ((((int32_t)L_0) <= ((int32_t)((int32_t)14)))) { goto IL_0013; } } { SHA384Managed_processBlock_m2376644313(__this, /*hidden argument*/NULL); } IL_0013: { UInt64U5BU5D_t1076796800* L_1 = __this->get_W_16(); uint64_t L_2 = ___hiW; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, ((int32_t)14)); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (uint64_t)L_2); UInt64U5BU5D_t1076796800* L_3 = __this->get_W_16(); uint64_t L_4 = ___lowW; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, ((int32_t)15)); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (uint64_t)L_4); return; } } // System.Void System.Security.Cryptography.SHA384Managed::processBlock() extern TypeInfo* SHAConstants_t548183900_il2cpp_TypeInfo_var; extern const uint32_t SHA384Managed_processBlock_m2376644313_MetadataUsageId; extern "C" void SHA384Managed_processBlock_m2376644313 (SHA384Managed_t1907419381 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA384Managed_processBlock_m2376644313_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint64_t V_0 = 0; uint64_t V_1 = 0; uint64_t V_2 = 0; uint64_t V_3 = 0; uint64_t V_4 = 0; uint64_t V_5 = 0; uint64_t V_6 = 0; uint64_t V_7 = 0; UInt64U5BU5D_t1076796800* V_8 = NULL; UInt64U5BU5D_t1076796800* V_9 = NULL; int32_t V_10 = 0; int32_t V_11 = 0; uint64_t V_12 = 0; uint64_t V_13 = 0; int32_t V_14 = 0; { UInt64U5BU5D_t1076796800* L_0 = __this->get_W_16(); V_8 = L_0; IL2CPP_RUNTIME_CLASS_INIT(SHAConstants_t548183900_il2cpp_TypeInfo_var); UInt64U5BU5D_t1076796800* L_1 = ((SHAConstants_t548183900_StaticFields*)SHAConstants_t548183900_il2cpp_TypeInfo_var->static_fields)->get_K2_1(); V_9 = L_1; SHA384Managed_adjustByteCounts_m2303565974(__this, /*hidden argument*/NULL); V_10 = ((int32_t)16); goto IL_007b; } IL_001e: { UInt64U5BU5D_t1076796800* L_2 = V_8; int32_t L_3 = V_10; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, ((int32_t)((int32_t)L_3-(int32_t)((int32_t)15)))); int32_t L_4 = ((int32_t)((int32_t)L_3-(int32_t)((int32_t)15))); V_0 = ((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_4))); uint64_t L_5 = V_0; uint64_t L_6 = V_0; uint64_t L_7 = V_0; uint64_t L_8 = V_0; uint64_t L_9 = V_0; V_0 = ((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((uint64_t)L_5>>1))|(int64_t)((int64_t)((int64_t)L_6<<(int32_t)((int32_t)63)))))^(int64_t)((int64_t)((int64_t)((int64_t)((uint64_t)L_7>>8))|(int64_t)((int64_t)((int64_t)L_8<<(int32_t)((int32_t)56)))))))^(int64_t)((int64_t)((uint64_t)L_9>>7)))); UInt64U5BU5D_t1076796800* L_10 = V_8; int32_t L_11 = V_10; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, ((int32_t)((int32_t)L_11-(int32_t)2))); int32_t L_12 = ((int32_t)((int32_t)L_11-(int32_t)2)); V_1 = ((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_12))); uint64_t L_13 = V_1; uint64_t L_14 = V_1; uint64_t L_15 = V_1; uint64_t L_16 = V_1; uint64_t L_17 = V_1; V_1 = ((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((uint64_t)L_13>>((int32_t)19)))|(int64_t)((int64_t)((int64_t)L_14<<(int32_t)((int32_t)45)))))^(int64_t)((int64_t)((int64_t)((int64_t)((uint64_t)L_15>>((int32_t)61)))|(int64_t)((int64_t)((int64_t)L_16<<(int32_t)3))))))^(int64_t)((int64_t)((uint64_t)L_17>>6)))); UInt64U5BU5D_t1076796800* L_18 = V_8; int32_t L_19 = V_10; uint64_t L_20 = V_1; UInt64U5BU5D_t1076796800* L_21 = V_8; int32_t L_22 = V_10; NullCheck(L_21); IL2CPP_ARRAY_BOUNDS_CHECK(L_21, ((int32_t)((int32_t)L_22-(int32_t)7))); int32_t L_23 = ((int32_t)((int32_t)L_22-(int32_t)7)); uint64_t L_24 = V_0; UInt64U5BU5D_t1076796800* L_25 = V_8; int32_t L_26 = V_10; NullCheck(L_25); IL2CPP_ARRAY_BOUNDS_CHECK(L_25, ((int32_t)((int32_t)L_26-(int32_t)((int32_t)16)))); int32_t L_27 = ((int32_t)((int32_t)L_26-(int32_t)((int32_t)16))); NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, L_19); (L_18)->SetAt(static_cast<il2cpp_array_size_t>(L_19), (uint64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)L_20+(int64_t)((L_21)->GetAt(static_cast<il2cpp_array_size_t>(L_23)))))+(int64_t)L_24))+(int64_t)((L_25)->GetAt(static_cast<il2cpp_array_size_t>(L_27)))))); int32_t L_28 = V_10; V_10 = ((int32_t)((int32_t)L_28+(int32_t)1)); } IL_007b: { int32_t L_29 = V_10; if ((((int32_t)L_29) <= ((int32_t)((int32_t)79)))) { goto IL_001e; } } { uint64_t L_30 = __this->get_H1_8(); V_0 = L_30; uint64_t L_31 = __this->get_H2_9(); V_1 = L_31; uint64_t L_32 = __this->get_H3_10(); V_2 = L_32; uint64_t L_33 = __this->get_H4_11(); V_3 = L_33; uint64_t L_34 = __this->get_H5_12(); V_4 = L_34; uint64_t L_35 = __this->get_H6_13(); V_5 = L_35; uint64_t L_36 = __this->get_H7_14(); V_6 = L_36; uint64_t L_37 = __this->get_H8_15(); V_7 = L_37; V_11 = 0; goto IL_0160; } IL_00c8: { uint64_t L_38 = V_4; uint64_t L_39 = V_4; uint64_t L_40 = V_4; uint64_t L_41 = V_4; uint64_t L_42 = V_4; uint64_t L_43 = V_4; V_12 = ((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((uint64_t)L_38>>((int32_t)14)))|(int64_t)((int64_t)((int64_t)L_39<<(int32_t)((int32_t)50)))))^(int64_t)((int64_t)((int64_t)((int64_t)((uint64_t)L_40>>((int32_t)18)))|(int64_t)((int64_t)((int64_t)L_41<<(int32_t)((int32_t)46)))))))^(int64_t)((int64_t)((int64_t)((int64_t)((uint64_t)L_42>>((int32_t)41)))|(int64_t)((int64_t)((int64_t)L_43<<(int32_t)((int32_t)23))))))); uint64_t L_44 = V_12; uint64_t L_45 = V_7; uint64_t L_46 = V_4; uint64_t L_47 = V_5; uint64_t L_48 = V_4; uint64_t L_49 = V_6; UInt64U5BU5D_t1076796800* L_50 = V_9; int32_t L_51 = V_11; NullCheck(L_50); IL2CPP_ARRAY_BOUNDS_CHECK(L_50, L_51); int32_t L_52 = L_51; UInt64U5BU5D_t1076796800* L_53 = V_8; int32_t L_54 = V_11; NullCheck(L_53); IL2CPP_ARRAY_BOUNDS_CHECK(L_53, L_54); int32_t L_55 = L_54; V_12 = ((int64_t)((int64_t)L_44+(int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)L_45+(int64_t)((int64_t)((int64_t)((int64_t)((int64_t)L_46&(int64_t)L_47))^(int64_t)((int64_t)((int64_t)((~L_48))&(int64_t)L_49))))))+(int64_t)((L_50)->GetAt(static_cast<il2cpp_array_size_t>(L_52)))))+(int64_t)((L_53)->GetAt(static_cast<il2cpp_array_size_t>(L_55))))))); uint64_t L_56 = V_0; uint64_t L_57 = V_0; uint64_t L_58 = V_0; uint64_t L_59 = V_0; uint64_t L_60 = V_0; uint64_t L_61 = V_0; V_13 = ((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((uint64_t)L_56>>((int32_t)28)))|(int64_t)((int64_t)((int64_t)L_57<<(int32_t)((int32_t)36)))))^(int64_t)((int64_t)((int64_t)((int64_t)((uint64_t)L_58>>((int32_t)34)))|(int64_t)((int64_t)((int64_t)L_59<<(int32_t)((int32_t)30)))))))^(int64_t)((int64_t)((int64_t)((int64_t)((uint64_t)L_60>>((int32_t)39)))|(int64_t)((int64_t)((int64_t)L_61<<(int32_t)((int32_t)25))))))); uint64_t L_62 = V_13; uint64_t L_63 = V_0; uint64_t L_64 = V_1; uint64_t L_65 = V_0; uint64_t L_66 = V_2; uint64_t L_67 = V_1; uint64_t L_68 = V_2; V_13 = ((int64_t)((int64_t)L_62+(int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)L_63&(int64_t)L_64))^(int64_t)((int64_t)((int64_t)L_65&(int64_t)L_66))))^(int64_t)((int64_t)((int64_t)L_67&(int64_t)L_68)))))); uint64_t L_69 = V_6; V_7 = L_69; uint64_t L_70 = V_5; V_6 = L_70; uint64_t L_71 = V_4; V_5 = L_71; uint64_t L_72 = V_3; uint64_t L_73 = V_12; V_4 = ((int64_t)((int64_t)L_72+(int64_t)L_73)); uint64_t L_74 = V_2; V_3 = L_74; uint64_t L_75 = V_1; V_2 = L_75; uint64_t L_76 = V_0; V_1 = L_76; uint64_t L_77 = V_12; uint64_t L_78 = V_13; V_0 = ((int64_t)((int64_t)L_77+(int64_t)L_78)); int32_t L_79 = V_11; V_11 = ((int32_t)((int32_t)L_79+(int32_t)1)); } IL_0160: { int32_t L_80 = V_11; if ((((int32_t)L_80) <= ((int32_t)((int32_t)79)))) { goto IL_00c8; } } { uint64_t L_81 = __this->get_H1_8(); uint64_t L_82 = V_0; __this->set_H1_8(((int64_t)((int64_t)L_81+(int64_t)L_82))); uint64_t L_83 = __this->get_H2_9(); uint64_t L_84 = V_1; __this->set_H2_9(((int64_t)((int64_t)L_83+(int64_t)L_84))); uint64_t L_85 = __this->get_H3_10(); uint64_t L_86 = V_2; __this->set_H3_10(((int64_t)((int64_t)L_85+(int64_t)L_86))); uint64_t L_87 = __this->get_H4_11(); uint64_t L_88 = V_3; __this->set_H4_11(((int64_t)((int64_t)L_87+(int64_t)L_88))); uint64_t L_89 = __this->get_H5_12(); uint64_t L_90 = V_4; __this->set_H5_12(((int64_t)((int64_t)L_89+(int64_t)L_90))); uint64_t L_91 = __this->get_H6_13(); uint64_t L_92 = V_5; __this->set_H6_13(((int64_t)((int64_t)L_91+(int64_t)L_92))); uint64_t L_93 = __this->get_H7_14(); uint64_t L_94 = V_6; __this->set_H7_14(((int64_t)((int64_t)L_93+(int64_t)L_94))); uint64_t L_95 = __this->get_H8_15(); uint64_t L_96 = V_7; __this->set_H8_15(((int64_t)((int64_t)L_95+(int64_t)L_96))); __this->set_wOff_17(0); V_14 = 0; goto IL_01f9; } IL_01ec: { UInt64U5BU5D_t1076796800* L_97 = V_8; int32_t L_98 = V_14; NullCheck(L_97); IL2CPP_ARRAY_BOUNDS_CHECK(L_97, L_98); (L_97)->SetAt(static_cast<il2cpp_array_size_t>(L_98), (uint64_t)(((int64_t)((int64_t)0)))); int32_t L_99 = V_14; V_14 = ((int32_t)((int32_t)L_99+(int32_t)1)); } IL_01f9: { int32_t L_100 = V_14; UInt64U5BU5D_t1076796800* L_101 = V_8; NullCheck(L_101); if ((!(((uint32_t)L_100) == ((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_101)->max_length)))))))) { goto IL_01ec; } } { return; } } // System.Void System.Security.Cryptography.SHA512::.ctor() extern "C" void SHA512__ctor_m3297938999 (SHA512_t4002185795 * __this, const MethodInfo* method) { { HashAlgorithm__ctor_m1204858244(__this, /*hidden argument*/NULL); ((HashAlgorithm_t24372250 *)__this)->set_HashSizeValue_1(((int32_t)512)); return; } } // System.Void System.Security.Cryptography.SHA512Managed::.ctor() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern TypeInfo* UInt64U5BU5D_t1076796800_il2cpp_TypeInfo_var; extern const uint32_t SHA512Managed__ctor_m2261764016_MetadataUsageId; extern "C" void SHA512Managed__ctor_m2261764016 (SHA512Managed_t2091018350 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA512Managed__ctor_m2261764016_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SHA512__ctor_m3297938999(__this, /*hidden argument*/NULL); __this->set_xBuf_4(((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)8))); __this->set_W_16(((UInt64U5BU5D_t1076796800*)SZArrayNew(UInt64U5BU5D_t1076796800_il2cpp_TypeInfo_var, (uint32_t)((int32_t)80)))); SHA512Managed_Initialize_m3491115867(__this, (bool)0, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.SHA512Managed::Initialize(System.Boolean) extern "C" void SHA512Managed_Initialize_m3491115867 (SHA512Managed_t2091018350 * __this, bool ___reuse, const MethodInfo* method) { int32_t V_0 = 0; int32_t V_1 = 0; { __this->set_H1_8(((int64_t)7640891576956012808LL)); __this->set_H2_9(((int64_t)-4942790177534073029LL)); __this->set_H3_10(((int64_t)4354685564936845355LL)); __this->set_H4_11(((int64_t)-6534734903238641935LL)); __this->set_H5_12(((int64_t)5840696475078001361LL)); __this->set_H6_13(((int64_t)-7276294671716946913LL)); __this->set_H7_14(((int64_t)2270897969802886507LL)); __this->set_H8_15(((int64_t)6620516959819538809LL)); bool L_0 = ___reuse; if (!L_0) { goto IL_00e1; } } { __this->set_byteCount1_6((((int64_t)((int64_t)0)))); __this->set_byteCount2_7((((int64_t)((int64_t)0)))); __this->set_xBufOff_5(0); V_0 = 0; goto IL_00a9; } IL_009c: { ByteU5BU5D_t58506160* L_1 = __this->get_xBuf_4(); int32_t L_2 = V_0; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(L_2), (uint8_t)0); int32_t L_3 = V_0; V_0 = ((int32_t)((int32_t)L_3+(int32_t)1)); } IL_00a9: { int32_t L_4 = V_0; ByteU5BU5D_t58506160* L_5 = __this->get_xBuf_4(); NullCheck(L_5); if ((((int32_t)L_4) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_5)->max_length))))))) { goto IL_009c; } } { __this->set_wOff_17(0); V_1 = 0; goto IL_00d3; } IL_00c5: { UInt64U5BU5D_t1076796800* L_6 = __this->get_W_16(); int32_t L_7 = V_1; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, L_7); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(L_7), (uint64_t)(((int64_t)((int64_t)0)))); int32_t L_8 = V_1; V_1 = ((int32_t)((int32_t)L_8+(int32_t)1)); } IL_00d3: { int32_t L_9 = V_1; UInt64U5BU5D_t1076796800* L_10 = __this->get_W_16(); NullCheck(L_10); if ((!(((uint32_t)L_9) == ((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_10)->max_length)))))))) { goto IL_00c5; } } IL_00e1: { return; } } // System.Void System.Security.Cryptography.SHA512Managed::Initialize() extern "C" void SHA512Managed_Initialize_m1471536356 (SHA512Managed_t2091018350 * __this, const MethodInfo* method) { { SHA512Managed_Initialize_m3491115867(__this, (bool)1, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.SHA512Managed::HashCore(System.Byte[],System.Int32,System.Int32) extern "C" void SHA512Managed_HashCore_m1161829416 (SHA512Managed_t2091018350 * __this, ByteU5BU5D_t58506160* ___rgb, int32_t ___ibStart, int32_t ___cbSize, const MethodInfo* method) { { goto IL_0018; } IL_0005: { ByteU5BU5D_t58506160* L_0 = ___rgb; int32_t L_1 = ___ibStart; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_1); int32_t L_2 = L_1; SHA512Managed_update_m2004423182(__this, ((L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_2))), /*hidden argument*/NULL); int32_t L_3 = ___ibStart; ___ibStart = ((int32_t)((int32_t)L_3+(int32_t)1)); int32_t L_4 = ___cbSize; ___cbSize = ((int32_t)((int32_t)L_4-(int32_t)1)); } IL_0018: { int32_t L_5 = __this->get_xBufOff_5(); if (!L_5) { goto IL_002a; } } { int32_t L_6 = ___cbSize; if ((((int32_t)L_6) > ((int32_t)0))) { goto IL_0005; } } IL_002a: { goto IL_0065; } IL_002f: { ByteU5BU5D_t58506160* L_7 = ___rgb; int32_t L_8 = ___ibStart; SHA512Managed_processWord_m2245859317(__this, L_7, L_8, /*hidden argument*/NULL); int32_t L_9 = ___ibStart; ByteU5BU5D_t58506160* L_10 = __this->get_xBuf_4(); NullCheck(L_10); ___ibStart = ((int32_t)((int32_t)L_9+(int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_10)->max_length)))))); int32_t L_11 = ___cbSize; ByteU5BU5D_t58506160* L_12 = __this->get_xBuf_4(); NullCheck(L_12); ___cbSize = ((int32_t)((int32_t)L_11-(int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_12)->max_length)))))); uint64_t L_13 = __this->get_byteCount1_6(); ByteU5BU5D_t58506160* L_14 = __this->get_xBuf_4(); NullCheck(L_14); __this->set_byteCount1_6(((int64_t)((int64_t)L_13+(int64_t)(((int64_t)((int64_t)(((int32_t)((int32_t)(((Il2CppArray *)L_14)->max_length)))))))))); } IL_0065: { int32_t L_15 = ___cbSize; ByteU5BU5D_t58506160* L_16 = __this->get_xBuf_4(); NullCheck(L_16); if ((((int32_t)L_15) > ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_16)->max_length))))))) { goto IL_002f; } } { goto IL_008b; } IL_0078: { ByteU5BU5D_t58506160* L_17 = ___rgb; int32_t L_18 = ___ibStart; NullCheck(L_17); IL2CPP_ARRAY_BOUNDS_CHECK(L_17, L_18); int32_t L_19 = L_18; SHA512Managed_update_m2004423182(__this, ((L_17)->GetAt(static_cast<il2cpp_array_size_t>(L_19))), /*hidden argument*/NULL); int32_t L_20 = ___ibStart; ___ibStart = ((int32_t)((int32_t)L_20+(int32_t)1)); int32_t L_21 = ___cbSize; ___cbSize = ((int32_t)((int32_t)L_21-(int32_t)1)); } IL_008b: { int32_t L_22 = ___cbSize; if ((((int32_t)L_22) > ((int32_t)0))) { goto IL_0078; } } { return; } } // System.Byte[] System.Security.Cryptography.SHA512Managed::HashFinal() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t SHA512Managed_HashFinal_m2897219948_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* SHA512Managed_HashFinal_m2897219948 (SHA512Managed_t2091018350 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA512Managed_HashFinal_m2897219948_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint64_t V_0 = 0; uint64_t V_1 = 0; ByteU5BU5D_t58506160* V_2 = NULL; { SHA512Managed_adjustByteCounts_m2278926735(__this, /*hidden argument*/NULL); uint64_t L_0 = __this->get_byteCount1_6(); V_0 = ((int64_t)((int64_t)L_0<<(int32_t)3)); uint64_t L_1 = __this->get_byteCount2_7(); V_1 = L_1; SHA512Managed_update_m2004423182(__this, ((int32_t)128), /*hidden argument*/NULL); goto IL_002d; } IL_0026: { SHA512Managed_update_m2004423182(__this, 0, /*hidden argument*/NULL); } IL_002d: { int32_t L_2 = __this->get_xBufOff_5(); if (L_2) { goto IL_0026; } } { uint64_t L_3 = V_0; uint64_t L_4 = V_1; SHA512Managed_processLength_m3040052269(__this, L_3, L_4, /*hidden argument*/NULL); SHA512Managed_processBlock_m4228260946(__this, /*hidden argument*/NULL); V_2 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)64))); uint64_t L_5 = __this->get_H1_8(); ByteU5BU5D_t58506160* L_6 = V_2; SHA512Managed_unpackWord_m3783776233(__this, L_5, L_6, 0, /*hidden argument*/NULL); uint64_t L_7 = __this->get_H2_9(); ByteU5BU5D_t58506160* L_8 = V_2; SHA512Managed_unpackWord_m3783776233(__this, L_7, L_8, 8, /*hidden argument*/NULL); uint64_t L_9 = __this->get_H3_10(); ByteU5BU5D_t58506160* L_10 = V_2; SHA512Managed_unpackWord_m3783776233(__this, L_9, L_10, ((int32_t)16), /*hidden argument*/NULL); uint64_t L_11 = __this->get_H4_11(); ByteU5BU5D_t58506160* L_12 = V_2; SHA512Managed_unpackWord_m3783776233(__this, L_11, L_12, ((int32_t)24), /*hidden argument*/NULL); uint64_t L_13 = __this->get_H5_12(); ByteU5BU5D_t58506160* L_14 = V_2; SHA512Managed_unpackWord_m3783776233(__this, L_13, L_14, ((int32_t)32), /*hidden argument*/NULL); uint64_t L_15 = __this->get_H6_13(); ByteU5BU5D_t58506160* L_16 = V_2; SHA512Managed_unpackWord_m3783776233(__this, L_15, L_16, ((int32_t)40), /*hidden argument*/NULL); uint64_t L_17 = __this->get_H7_14(); ByteU5BU5D_t58506160* L_18 = V_2; SHA512Managed_unpackWord_m3783776233(__this, L_17, L_18, ((int32_t)48), /*hidden argument*/NULL); uint64_t L_19 = __this->get_H8_15(); ByteU5BU5D_t58506160* L_20 = V_2; SHA512Managed_unpackWord_m3783776233(__this, L_19, L_20, ((int32_t)56), /*hidden argument*/NULL); VirtActionInvoker0::Invoke(13 /* System.Void System.Security.Cryptography.SHA512Managed::Initialize() */, __this); ByteU5BU5D_t58506160* L_21 = V_2; return L_21; } } // System.Void System.Security.Cryptography.SHA512Managed::update(System.Byte) extern "C" void SHA512Managed_update_m2004423182 (SHA512Managed_t2091018350 * __this, uint8_t ___input, const MethodInfo* method) { int32_t V_0 = 0; { ByteU5BU5D_t58506160* L_0 = __this->get_xBuf_4(); int32_t L_1 = __this->get_xBufOff_5(); int32_t L_2 = L_1; V_0 = L_2; __this->set_xBufOff_5(((int32_t)((int32_t)L_2+(int32_t)1))); int32_t L_3 = V_0; uint8_t L_4 = ___input; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_3); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_3), (uint8_t)L_4); int32_t L_5 = __this->get_xBufOff_5(); ByteU5BU5D_t58506160* L_6 = __this->get_xBuf_4(); NullCheck(L_6); if ((!(((uint32_t)L_5) == ((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length)))))))) { goto IL_0040; } } { ByteU5BU5D_t58506160* L_7 = __this->get_xBuf_4(); SHA512Managed_processWord_m2245859317(__this, L_7, 0, /*hidden argument*/NULL); __this->set_xBufOff_5(0); } IL_0040: { uint64_t L_8 = __this->get_byteCount1_6(); __this->set_byteCount1_6(((int64_t)((int64_t)L_8+(int64_t)(((int64_t)((int64_t)1)))))); return; } } // System.Void System.Security.Cryptography.SHA512Managed::processWord(System.Byte[],System.Int32) extern "C" void SHA512Managed_processWord_m2245859317 (SHA512Managed_t2091018350 * __this, ByteU5BU5D_t58506160* ___input, int32_t ___inOff, const MethodInfo* method) { int32_t V_0 = 0; { UInt64U5BU5D_t1076796800* L_0 = __this->get_W_16(); int32_t L_1 = __this->get_wOff_17(); int32_t L_2 = L_1; V_0 = L_2; __this->set_wOff_17(((int32_t)((int32_t)L_2+(int32_t)1))); int32_t L_3 = V_0; ByteU5BU5D_t58506160* L_4 = ___input; int32_t L_5 = ___inOff; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, L_5); int32_t L_6 = L_5; ByteU5BU5D_t58506160* L_7 = ___input; int32_t L_8 = ___inOff; NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, ((int32_t)((int32_t)L_8+(int32_t)1))); int32_t L_9 = ((int32_t)((int32_t)L_8+(int32_t)1)); ByteU5BU5D_t58506160* L_10 = ___input; int32_t L_11 = ___inOff; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, ((int32_t)((int32_t)L_11+(int32_t)2))); int32_t L_12 = ((int32_t)((int32_t)L_11+(int32_t)2)); ByteU5BU5D_t58506160* L_13 = ___input; int32_t L_14 = ___inOff; NullCheck(L_13); IL2CPP_ARRAY_BOUNDS_CHECK(L_13, ((int32_t)((int32_t)L_14+(int32_t)3))); int32_t L_15 = ((int32_t)((int32_t)L_14+(int32_t)3)); ByteU5BU5D_t58506160* L_16 = ___input; int32_t L_17 = ___inOff; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, ((int32_t)((int32_t)L_17+(int32_t)4))); int32_t L_18 = ((int32_t)((int32_t)L_17+(int32_t)4)); ByteU5BU5D_t58506160* L_19 = ___input; int32_t L_20 = ___inOff; NullCheck(L_19); IL2CPP_ARRAY_BOUNDS_CHECK(L_19, ((int32_t)((int32_t)L_20+(int32_t)5))); int32_t L_21 = ((int32_t)((int32_t)L_20+(int32_t)5)); ByteU5BU5D_t58506160* L_22 = ___input; int32_t L_23 = ___inOff; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, ((int32_t)((int32_t)L_23+(int32_t)6))); int32_t L_24 = ((int32_t)((int32_t)L_23+(int32_t)6)); ByteU5BU5D_t58506160* L_25 = ___input; int32_t L_26 = ___inOff; NullCheck(L_25); IL2CPP_ARRAY_BOUNDS_CHECK(L_25, ((int32_t)((int32_t)L_26+(int32_t)7))); int32_t L_27 = ((int32_t)((int32_t)L_26+(int32_t)7)); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_3); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_3), (uint64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6))))))<<(int32_t)((int32_t)56)))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_7)->GetAt(static_cast<il2cpp_array_size_t>(L_9))))))<<(int32_t)((int32_t)48)))))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_12))))))<<(int32_t)((int32_t)40)))))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15))))))<<(int32_t)((int32_t)32)))))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_18))))))<<(int32_t)((int32_t)24)))))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_19)->GetAt(static_cast<il2cpp_array_size_t>(L_21))))))<<(int32_t)((int32_t)16)))))|(int64_t)((int64_t)((int64_t)(((int64_t)((uint64_t)((L_22)->GetAt(static_cast<il2cpp_array_size_t>(L_24))))))<<(int32_t)8))))|(int64_t)(((int64_t)((uint64_t)((L_25)->GetAt(static_cast<il2cpp_array_size_t>(L_27))))))))); int32_t L_28 = __this->get_wOff_17(); if ((!(((uint32_t)L_28) == ((uint32_t)((int32_t)16))))) { goto IL_0074; } } { SHA512Managed_processBlock_m4228260946(__this, /*hidden argument*/NULL); } IL_0074: { return; } } // System.Void System.Security.Cryptography.SHA512Managed::unpackWord(System.UInt64,System.Byte[],System.Int32) extern "C" void SHA512Managed_unpackWord_m3783776233 (SHA512Managed_t2091018350 * __this, uint64_t ___word, ByteU5BU5D_t58506160* ___output, int32_t ___outOff, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = ___output; int32_t L_1 = ___outOff; uint64_t L_2 = ___word; NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_1); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_1), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_2>>((int32_t)56))))))); ByteU5BU5D_t58506160* L_3 = ___output; int32_t L_4 = ___outOff; uint64_t L_5 = ___word; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, ((int32_t)((int32_t)L_4+(int32_t)1))); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_4+(int32_t)1))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_5>>((int32_t)48))))))); ByteU5BU5D_t58506160* L_6 = ___output; int32_t L_7 = ___outOff; uint64_t L_8 = ___word; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, ((int32_t)((int32_t)L_7+(int32_t)2))); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_7+(int32_t)2))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_8>>((int32_t)40))))))); ByteU5BU5D_t58506160* L_9 = ___output; int32_t L_10 = ___outOff; uint64_t L_11 = ___word; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, ((int32_t)((int32_t)L_10+(int32_t)3))); (L_9)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_10+(int32_t)3))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_11>>((int32_t)32))))))); ByteU5BU5D_t58506160* L_12 = ___output; int32_t L_13 = ___outOff; uint64_t L_14 = ___word; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, ((int32_t)((int32_t)L_13+(int32_t)4))); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_13+(int32_t)4))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_14>>((int32_t)24))))))); ByteU5BU5D_t58506160* L_15 = ___output; int32_t L_16 = ___outOff; uint64_t L_17 = ___word; NullCheck(L_15); IL2CPP_ARRAY_BOUNDS_CHECK(L_15, ((int32_t)((int32_t)L_16+(int32_t)5))); (L_15)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_16+(int32_t)5))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_17>>((int32_t)16))))))); ByteU5BU5D_t58506160* L_18 = ___output; int32_t L_19 = ___outOff; uint64_t L_20 = ___word; NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, ((int32_t)((int32_t)L_19+(int32_t)6))); (L_18)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_19+(int32_t)6))), (uint8_t)(((int32_t)((uint8_t)((int64_t)((uint64_t)L_20>>8)))))); ByteU5BU5D_t58506160* L_21 = ___output; int32_t L_22 = ___outOff; uint64_t L_23 = ___word; NullCheck(L_21); IL2CPP_ARRAY_BOUNDS_CHECK(L_21, ((int32_t)((int32_t)L_22+(int32_t)7))); (L_21)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_22+(int32_t)7))), (uint8_t)(((int32_t)((uint8_t)L_23)))); return; } } // System.Void System.Security.Cryptography.SHA512Managed::adjustByteCounts() extern "C" void SHA512Managed_adjustByteCounts_m2278926735 (SHA512Managed_t2091018350 * __this, const MethodInfo* method) { { uint64_t L_0 = __this->get_byteCount1_6(); if ((!(((uint64_t)L_0) > ((uint64_t)((int64_t)2305843009213693951LL))))) { goto IL_0040; } } { uint64_t L_1 = __this->get_byteCount2_7(); uint64_t L_2 = __this->get_byteCount1_6(); __this->set_byteCount2_7(((int64_t)((int64_t)L_1+(int64_t)((int64_t)((uint64_t)L_2>>((int32_t)61)))))); uint64_t L_3 = __this->get_byteCount1_6(); __this->set_byteCount1_6(((int64_t)((int64_t)L_3&(int64_t)((int64_t)2305843009213693951LL)))); } IL_0040: { return; } } // System.Void System.Security.Cryptography.SHA512Managed::processLength(System.UInt64,System.UInt64) extern "C" void SHA512Managed_processLength_m3040052269 (SHA512Managed_t2091018350 * __this, uint64_t ___lowW, uint64_t ___hiW, const MethodInfo* method) { { int32_t L_0 = __this->get_wOff_17(); if ((((int32_t)L_0) <= ((int32_t)((int32_t)14)))) { goto IL_0013; } } { SHA512Managed_processBlock_m4228260946(__this, /*hidden argument*/NULL); } IL_0013: { UInt64U5BU5D_t1076796800* L_1 = __this->get_W_16(); uint64_t L_2 = ___hiW; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, ((int32_t)14)); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (uint64_t)L_2); UInt64U5BU5D_t1076796800* L_3 = __this->get_W_16(); uint64_t L_4 = ___lowW; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, ((int32_t)15)); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (uint64_t)L_4); return; } } // System.Void System.Security.Cryptography.SHA512Managed::processBlock() extern TypeInfo* SHAConstants_t548183900_il2cpp_TypeInfo_var; extern const uint32_t SHA512Managed_processBlock_m4228260946_MetadataUsageId; extern "C" void SHA512Managed_processBlock_m4228260946 (SHA512Managed_t2091018350 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHA512Managed_processBlock_m4228260946_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint64_t V_1 = 0; uint64_t V_2 = 0; uint64_t V_3 = 0; uint64_t V_4 = 0; uint64_t V_5 = 0; uint64_t V_6 = 0; uint64_t V_7 = 0; uint64_t V_8 = 0; int32_t V_9 = 0; uint64_t V_10 = 0; uint64_t V_11 = 0; int32_t V_12 = 0; { SHA512Managed_adjustByteCounts_m2278926735(__this, /*hidden argument*/NULL); V_0 = ((int32_t)16); goto IL_0053; } IL_000e: { UInt64U5BU5D_t1076796800* L_0 = __this->get_W_16(); int32_t L_1 = V_0; UInt64U5BU5D_t1076796800* L_2 = __this->get_W_16(); int32_t L_3 = V_0; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, ((int32_t)((int32_t)L_3-(int32_t)2))); int32_t L_4 = ((int32_t)((int32_t)L_3-(int32_t)2)); uint64_t L_5 = SHA512Managed_Sigma1_m435419167(__this, ((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_4))), /*hidden argument*/NULL); UInt64U5BU5D_t1076796800* L_6 = __this->get_W_16(); int32_t L_7 = V_0; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, ((int32_t)((int32_t)L_7-(int32_t)7))); int32_t L_8 = ((int32_t)((int32_t)L_7-(int32_t)7)); UInt64U5BU5D_t1076796800* L_9 = __this->get_W_16(); int32_t L_10 = V_0; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, ((int32_t)((int32_t)L_10-(int32_t)((int32_t)15)))); int32_t L_11 = ((int32_t)((int32_t)L_10-(int32_t)((int32_t)15))); uint64_t L_12 = SHA512Managed_Sigma0_m945953344(__this, ((L_9)->GetAt(static_cast<il2cpp_array_size_t>(L_11))), /*hidden argument*/NULL); UInt64U5BU5D_t1076796800* L_13 = __this->get_W_16(); int32_t L_14 = V_0; NullCheck(L_13); IL2CPP_ARRAY_BOUNDS_CHECK(L_13, ((int32_t)((int32_t)L_14-(int32_t)((int32_t)16)))); int32_t L_15 = ((int32_t)((int32_t)L_14-(int32_t)((int32_t)16))); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, L_1); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_1), (uint64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)L_5+(int64_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_8)))))+(int64_t)L_12))+(int64_t)((L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)))))); int32_t L_16 = V_0; V_0 = ((int32_t)((int32_t)L_16+(int32_t)1)); } IL_0053: { int32_t L_17 = V_0; if ((((int32_t)L_17) <= ((int32_t)((int32_t)79)))) { goto IL_000e; } } { uint64_t L_18 = __this->get_H1_8(); V_1 = L_18; uint64_t L_19 = __this->get_H2_9(); V_2 = L_19; uint64_t L_20 = __this->get_H3_10(); V_3 = L_20; uint64_t L_21 = __this->get_H4_11(); V_4 = L_21; uint64_t L_22 = __this->get_H5_12(); V_5 = L_22; uint64_t L_23 = __this->get_H6_13(); V_6 = L_23; uint64_t L_24 = __this->get_H7_14(); V_7 = L_24; uint64_t L_25 = __this->get_H8_15(); V_8 = L_25; V_9 = 0; goto IL_0106; } IL_00a0: { uint64_t L_26 = V_8; uint64_t L_27 = V_5; uint64_t L_28 = SHA512Managed_Sum1_m617801861(__this, L_27, /*hidden argument*/NULL); uint64_t L_29 = V_5; uint64_t L_30 = V_6; uint64_t L_31 = V_7; uint64_t L_32 = SHA512Managed_Ch_m311063408(__this, L_29, L_30, L_31, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(SHAConstants_t548183900_il2cpp_TypeInfo_var); UInt64U5BU5D_t1076796800* L_33 = ((SHAConstants_t548183900_StaticFields*)SHAConstants_t548183900_il2cpp_TypeInfo_var->static_fields)->get_K2_1(); int32_t L_34 = V_9; NullCheck(L_33); IL2CPP_ARRAY_BOUNDS_CHECK(L_33, L_34); int32_t L_35 = L_34; UInt64U5BU5D_t1076796800* L_36 = __this->get_W_16(); int32_t L_37 = V_9; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, L_37); int32_t L_38 = L_37; V_10 = ((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)L_26+(int64_t)L_28))+(int64_t)L_32))+(int64_t)((L_33)->GetAt(static_cast<il2cpp_array_size_t>(L_35)))))+(int64_t)((L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_38))))); uint64_t L_39 = V_1; uint64_t L_40 = SHA512Managed_Sum0_m1128336038(__this, L_39, /*hidden argument*/NULL); uint64_t L_41 = V_1; uint64_t L_42 = V_2; uint64_t L_43 = V_3; uint64_t L_44 = SHA512Managed_Maj_m3317611421(__this, L_41, L_42, L_43, /*hidden argument*/NULL); V_11 = ((int64_t)((int64_t)L_40+(int64_t)L_44)); uint64_t L_45 = V_7; V_8 = L_45; uint64_t L_46 = V_6; V_7 = L_46; uint64_t L_47 = V_5; V_6 = L_47; uint64_t L_48 = V_4; uint64_t L_49 = V_10; V_5 = ((int64_t)((int64_t)L_48+(int64_t)L_49)); uint64_t L_50 = V_3; V_4 = L_50; uint64_t L_51 = V_2; V_3 = L_51; uint64_t L_52 = V_1; V_2 = L_52; uint64_t L_53 = V_10; uint64_t L_54 = V_11; V_1 = ((int64_t)((int64_t)L_53+(int64_t)L_54)); int32_t L_55 = V_9; V_9 = ((int32_t)((int32_t)L_55+(int32_t)1)); } IL_0106: { int32_t L_56 = V_9; if ((((int32_t)L_56) <= ((int32_t)((int32_t)79)))) { goto IL_00a0; } } { uint64_t L_57 = __this->get_H1_8(); uint64_t L_58 = V_1; __this->set_H1_8(((int64_t)((int64_t)L_57+(int64_t)L_58))); uint64_t L_59 = __this->get_H2_9(); uint64_t L_60 = V_2; __this->set_H2_9(((int64_t)((int64_t)L_59+(int64_t)L_60))); uint64_t L_61 = __this->get_H3_10(); uint64_t L_62 = V_3; __this->set_H3_10(((int64_t)((int64_t)L_61+(int64_t)L_62))); uint64_t L_63 = __this->get_H4_11(); uint64_t L_64 = V_4; __this->set_H4_11(((int64_t)((int64_t)L_63+(int64_t)L_64))); uint64_t L_65 = __this->get_H5_12(); uint64_t L_66 = V_5; __this->set_H5_12(((int64_t)((int64_t)L_65+(int64_t)L_66))); uint64_t L_67 = __this->get_H6_13(); uint64_t L_68 = V_6; __this->set_H6_13(((int64_t)((int64_t)L_67+(int64_t)L_68))); uint64_t L_69 = __this->get_H7_14(); uint64_t L_70 = V_7; __this->set_H7_14(((int64_t)((int64_t)L_69+(int64_t)L_70))); uint64_t L_71 = __this->get_H8_15(); uint64_t L_72 = V_8; __this->set_H8_15(((int64_t)((int64_t)L_71+(int64_t)L_72))); __this->set_wOff_17(0); V_12 = 0; goto IL_01a4; } IL_0193: { UInt64U5BU5D_t1076796800* L_73 = __this->get_W_16(); int32_t L_74 = V_12; NullCheck(L_73); IL2CPP_ARRAY_BOUNDS_CHECK(L_73, L_74); (L_73)->SetAt(static_cast<il2cpp_array_size_t>(L_74), (uint64_t)(((int64_t)((int64_t)0)))); int32_t L_75 = V_12; V_12 = ((int32_t)((int32_t)L_75+(int32_t)1)); } IL_01a4: { int32_t L_76 = V_12; UInt64U5BU5D_t1076796800* L_77 = __this->get_W_16(); NullCheck(L_77); if ((!(((uint32_t)L_76) == ((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_77)->max_length)))))))) { goto IL_0193; } } { return; } } // System.UInt64 System.Security.Cryptography.SHA512Managed::rotateRight(System.UInt64,System.Int32) extern "C" uint64_t SHA512Managed_rotateRight_m2879233295 (SHA512Managed_t2091018350 * __this, uint64_t ___x, int32_t ___n, const MethodInfo* method) { { uint64_t L_0 = ___x; int32_t L_1 = ___n; uint64_t L_2 = ___x; int32_t L_3 = ___n; return ((int64_t)((int64_t)((int64_t)((uint64_t)L_0>>((int32_t)((int32_t)L_1&(int32_t)((int32_t)63)))))|(int64_t)((int64_t)((int64_t)L_2<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)64)-(int32_t)L_3))&(int32_t)((int32_t)63))))))); } } // System.UInt64 System.Security.Cryptography.SHA512Managed::Ch(System.UInt64,System.UInt64,System.UInt64) extern "C" uint64_t SHA512Managed_Ch_m311063408 (SHA512Managed_t2091018350 * __this, uint64_t ___x, uint64_t ___y, uint64_t ___z, const MethodInfo* method) { { uint64_t L_0 = ___x; uint64_t L_1 = ___y; uint64_t L_2 = ___x; uint64_t L_3 = ___z; return ((int64_t)((int64_t)((int64_t)((int64_t)L_0&(int64_t)L_1))^(int64_t)((int64_t)((int64_t)((~L_2))&(int64_t)L_3)))); } } // System.UInt64 System.Security.Cryptography.SHA512Managed::Maj(System.UInt64,System.UInt64,System.UInt64) extern "C" uint64_t SHA512Managed_Maj_m3317611421 (SHA512Managed_t2091018350 * __this, uint64_t ___x, uint64_t ___y, uint64_t ___z, const MethodInfo* method) { { uint64_t L_0 = ___x; uint64_t L_1 = ___y; uint64_t L_2 = ___x; uint64_t L_3 = ___z; uint64_t L_4 = ___y; uint64_t L_5 = ___z; return ((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)((int64_t)L_0&(int64_t)L_1))^(int64_t)((int64_t)((int64_t)L_2&(int64_t)L_3))))^(int64_t)((int64_t)((int64_t)L_4&(int64_t)L_5)))); } } // System.UInt64 System.Security.Cryptography.SHA512Managed::Sum0(System.UInt64) extern "C" uint64_t SHA512Managed_Sum0_m1128336038 (SHA512Managed_t2091018350 * __this, uint64_t ___x, const MethodInfo* method) { { uint64_t L_0 = ___x; uint64_t L_1 = SHA512Managed_rotateRight_m2879233295(__this, L_0, ((int32_t)28), /*hidden argument*/NULL); uint64_t L_2 = ___x; uint64_t L_3 = SHA512Managed_rotateRight_m2879233295(__this, L_2, ((int32_t)34), /*hidden argument*/NULL); uint64_t L_4 = ___x; uint64_t L_5 = SHA512Managed_rotateRight_m2879233295(__this, L_4, ((int32_t)39), /*hidden argument*/NULL); return ((int64_t)((int64_t)((int64_t)((int64_t)L_1^(int64_t)L_3))^(int64_t)L_5)); } } // System.UInt64 System.Security.Cryptography.SHA512Managed::Sum1(System.UInt64) extern "C" uint64_t SHA512Managed_Sum1_m617801861 (SHA512Managed_t2091018350 * __this, uint64_t ___x, const MethodInfo* method) { { uint64_t L_0 = ___x; uint64_t L_1 = SHA512Managed_rotateRight_m2879233295(__this, L_0, ((int32_t)14), /*hidden argument*/NULL); uint64_t L_2 = ___x; uint64_t L_3 = SHA512Managed_rotateRight_m2879233295(__this, L_2, ((int32_t)18), /*hidden argument*/NULL); uint64_t L_4 = ___x; uint64_t L_5 = SHA512Managed_rotateRight_m2879233295(__this, L_4, ((int32_t)41), /*hidden argument*/NULL); return ((int64_t)((int64_t)((int64_t)((int64_t)L_1^(int64_t)L_3))^(int64_t)L_5)); } } // System.UInt64 System.Security.Cryptography.SHA512Managed::Sigma0(System.UInt64) extern "C" uint64_t SHA512Managed_Sigma0_m945953344 (SHA512Managed_t2091018350 * __this, uint64_t ___x, const MethodInfo* method) { { uint64_t L_0 = ___x; uint64_t L_1 = SHA512Managed_rotateRight_m2879233295(__this, L_0, 1, /*hidden argument*/NULL); uint64_t L_2 = ___x; uint64_t L_3 = SHA512Managed_rotateRight_m2879233295(__this, L_2, 8, /*hidden argument*/NULL); uint64_t L_4 = ___x; return ((int64_t)((int64_t)((int64_t)((int64_t)L_1^(int64_t)L_3))^(int64_t)((int64_t)((uint64_t)L_4>>7)))); } } // System.UInt64 System.Security.Cryptography.SHA512Managed::Sigma1(System.UInt64) extern "C" uint64_t SHA512Managed_Sigma1_m435419167 (SHA512Managed_t2091018350 * __this, uint64_t ___x, const MethodInfo* method) { { uint64_t L_0 = ___x; uint64_t L_1 = SHA512Managed_rotateRight_m2879233295(__this, L_0, ((int32_t)19), /*hidden argument*/NULL); uint64_t L_2 = ___x; uint64_t L_3 = SHA512Managed_rotateRight_m2879233295(__this, L_2, ((int32_t)61), /*hidden argument*/NULL); uint64_t L_4 = ___x; return ((int64_t)((int64_t)((int64_t)((int64_t)L_1^(int64_t)L_3))^(int64_t)((int64_t)((uint64_t)L_4>>6)))); } } // System.Void System.Security.Cryptography.SHAConstants::.cctor() extern TypeInfo* UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var; extern TypeInfo* SHAConstants_t548183900_il2cpp_TypeInfo_var; extern TypeInfo* UInt64U5BU5D_t1076796800_il2cpp_TypeInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D56_46_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D57_47_FieldInfo_var; extern const uint32_t SHAConstants__cctor_m2653985967_MetadataUsageId; extern "C" void SHAConstants__cctor_m2653985967 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SHAConstants__cctor_m2653985967_MetadataUsageId); s_Il2CppMethodIntialized = true; } { UInt32U5BU5D_t2133601851* L_0 = ((UInt32U5BU5D_t2133601851*)SZArrayNew(UInt32U5BU5D_t2133601851_il2cpp_TypeInfo_var, (uint32_t)((int32_t)64))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_0, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D56_46_FieldInfo_var), /*hidden argument*/NULL); ((SHAConstants_t548183900_StaticFields*)SHAConstants_t548183900_il2cpp_TypeInfo_var->static_fields)->set_K1_0(L_0); UInt64U5BU5D_t1076796800* L_1 = ((UInt64U5BU5D_t1076796800*)SZArrayNew(UInt64U5BU5D_t1076796800_il2cpp_TypeInfo_var, (uint32_t)((int32_t)80))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_1, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D57_47_FieldInfo_var), /*hidden argument*/NULL); ((SHAConstants_t548183900_StaticFields*)SHAConstants_t548183900_il2cpp_TypeInfo_var->static_fields)->set_K2_1(L_1); return; } } // System.Void System.Security.Cryptography.SignatureDescription::.ctor() extern "C" void SignatureDescription__ctor_m565127101 (SignatureDescription_t922482045 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.SignatureDescription::set_DeformatterAlgorithm(System.String) extern "C" void SignatureDescription_set_DeformatterAlgorithm_m1987350616 (SignatureDescription_t922482045 * __this, String_t* ___value, const MethodInfo* method) { { String_t* L_0 = ___value; __this->set__DeformatterAlgorithm_0(L_0); return; } } // System.Void System.Security.Cryptography.SignatureDescription::set_DigestAlgorithm(System.String) extern "C" void SignatureDescription_set_DigestAlgorithm_m1782853785 (SignatureDescription_t922482045 * __this, String_t* ___value, const MethodInfo* method) { { String_t* L_0 = ___value; __this->set__DigestAlgorithm_1(L_0); return; } } // System.Void System.Security.Cryptography.SignatureDescription::set_FormatterAlgorithm(System.String) extern "C" void SignatureDescription_set_FormatterAlgorithm_m2575614969 (SignatureDescription_t922482045 * __this, String_t* ___value, const MethodInfo* method) { { String_t* L_0 = ___value; __this->set__FormatterAlgorithm_2(L_0); return; } } // System.Void System.Security.Cryptography.SignatureDescription::set_KeyAlgorithm(System.String) extern "C" void SignatureDescription_set_KeyAlgorithm_m2741949518 (SignatureDescription_t922482045 * __this, String_t* ___value, const MethodInfo* method) { { String_t* L_0 = ___value; __this->set__KeyAlgorithm_3(L_0); return; } } // System.Void System.Security.Cryptography.SymmetricAlgorithm::.ctor() extern "C" void SymmetricAlgorithm__ctor_m3015042793 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); __this->set_ModeValue_7(1); __this->set_PaddingValue_8(2); __this->set_m_disposed_9((bool)0); return; } } // System.Void System.Security.Cryptography.SymmetricAlgorithm::System.IDisposable.Dispose() extern "C" void SymmetricAlgorithm_System_IDisposable_Dispose_m1612088406 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { { VirtActionInvoker1< bool >::Invoke(5 /* System.Void System.Security.Cryptography.SymmetricAlgorithm::Dispose(System.Boolean) */, __this, (bool)1); GC_SuppressFinalize_m1160635446(NULL /*static, unused*/, __this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.SymmetricAlgorithm::Finalize() extern "C" void SymmetricAlgorithm_Finalize_m591291609 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); IL_0000: try { // begin try (depth: 1) VirtActionInvoker1< bool >::Invoke(5 /* System.Void System.Security.Cryptography.SymmetricAlgorithm::Dispose(System.Boolean) */, __this, (bool)0); IL2CPP_LEAVE(0x13, FINALLY_000c); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_000c; } FINALLY_000c: { // begin finally (depth: 1) Object_Finalize_m3027285644(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(12) } // end finally (depth: 1) IL2CPP_CLEANUP(12) { IL2CPP_JUMP_TBL(0x13, IL_0013) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0013: { return; } } // System.Void System.Security.Cryptography.SymmetricAlgorithm::Clear() extern "C" void SymmetricAlgorithm_Clear_m421176084 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { { VirtActionInvoker1< bool >::Invoke(5 /* System.Void System.Security.Cryptography.SymmetricAlgorithm::Dispose(System.Boolean) */, __this, (bool)1); return; } } // System.Void System.Security.Cryptography.SymmetricAlgorithm::Dispose(System.Boolean) extern "C" void SymmetricAlgorithm_Dispose_m3474384861 (SymmetricAlgorithm_t839208017 * __this, bool ___disposing, const MethodInfo* method) { { bool L_0 = __this->get_m_disposed_9(); if (L_0) { goto IL_003e; } } { ByteU5BU5D_t58506160* L_1 = __this->get_KeyValue_3(); if (!L_1) { goto IL_0031; } } { ByteU5BU5D_t58506160* L_2 = __this->get_KeyValue_3(); ByteU5BU5D_t58506160* L_3 = __this->get_KeyValue_3(); NullCheck(L_3); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_2, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_3)->max_length)))), /*hidden argument*/NULL); __this->set_KeyValue_3((ByteU5BU5D_t58506160*)NULL); } IL_0031: { bool L_4 = ___disposing; if (!L_4) { goto IL_0037; } } IL_0037: { __this->set_m_disposed_9((bool)1); } IL_003e: { return; } } // System.Int32 System.Security.Cryptography.SymmetricAlgorithm::get_BlockSize() extern "C" int32_t SymmetricAlgorithm_get_BlockSize_m4098581864 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get_BlockSizeValue_0(); return L_0; } } // System.Void System.Security.Cryptography.SymmetricAlgorithm::set_BlockSize(System.Int32) extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3427644913; extern const uint32_t SymmetricAlgorithm_set_BlockSize_m2273875369_MetadataUsageId; extern "C" void SymmetricAlgorithm_set_BlockSize_m2273875369 (SymmetricAlgorithm_t839208017 * __this, int32_t ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SymmetricAlgorithm_set_BlockSize_m2273875369_MetadataUsageId); s_Il2CppMethodIntialized = true; } { KeySizesU5BU5D_t1304982661* L_0 = __this->get_LegalBlockSizesValue_4(); int32_t L_1 = ___value; bool L_2 = KeySizes_IsLegalKeySize_m620693618(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); if (L_2) { goto IL_0021; } } { String_t* L_3 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral3427644913, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_4 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_0021: { int32_t L_5 = __this->get_BlockSizeValue_0(); int32_t L_6 = ___value; if ((((int32_t)L_5) == ((int32_t)L_6))) { goto IL_003b; } } { int32_t L_7 = ___value; __this->set_BlockSizeValue_0(L_7); __this->set_IVValue_1((ByteU5BU5D_t58506160*)NULL); } IL_003b: { return; } } // System.Int32 System.Security.Cryptography.SymmetricAlgorithm::get_FeedbackSize() extern "C" int32_t SymmetricAlgorithm_get_FeedbackSize_m4247492686 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get_FeedbackSizeValue_6(); return L_0; } } // System.Byte[] System.Security.Cryptography.SymmetricAlgorithm::get_IV() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t SymmetricAlgorithm_get_IV_m2399566439_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* SymmetricAlgorithm_get_IV_m2399566439 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SymmetricAlgorithm_get_IV_m2399566439_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = __this->get_IVValue_1(); if (L_0) { goto IL_0011; } } { VirtActionInvoker0::Invoke(24 /* System.Void System.Security.Cryptography.SymmetricAlgorithm::GenerateIV() */, __this); } IL_0011: { ByteU5BU5D_t58506160* L_1 = __this->get_IVValue_1(); NullCheck((Il2CppArray *)(Il2CppArray *)L_1); Il2CppObject * L_2 = VirtFuncInvoker0< Il2CppObject * >::Invoke(5 /* System.Object System.Array::Clone() */, (Il2CppArray *)(Il2CppArray *)L_1); return ((ByteU5BU5D_t58506160*)Castclass(L_2, ByteU5BU5D_t58506160_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.SymmetricAlgorithm::set_IV(System.Byte[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2349; extern Il2CppCodeGenString* _stringLiteral2587605949; extern const uint32_t SymmetricAlgorithm_set_IV_m870580644_MetadataUsageId; extern "C" void SymmetricAlgorithm_set_IV_m870580644 (SymmetricAlgorithm_t839208017 * __this, ByteU5BU5D_t58506160* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SymmetricAlgorithm_set_IV_m870580644_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral2349, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___value; NullCheck(L_2); int32_t L_3 = __this->get_BlockSizeValue_0(); if ((((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_2)->max_length))))<<(int32_t)3))) == ((int32_t)L_3))) { goto IL_0031; } } { String_t* L_4 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral2587605949, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_5 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0031: { ByteU5BU5D_t58506160* L_6 = ___value; NullCheck((Il2CppArray *)(Il2CppArray *)L_6); Il2CppObject * L_7 = VirtFuncInvoker0< Il2CppObject * >::Invoke(5 /* System.Object System.Array::Clone() */, (Il2CppArray *)(Il2CppArray *)L_6); __this->set_IVValue_1(((ByteU5BU5D_t58506160*)Castclass(L_7, ByteU5BU5D_t58506160_il2cpp_TypeInfo_var))); return; } } // System.Byte[] System.Security.Cryptography.SymmetricAlgorithm::get_Key() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t SymmetricAlgorithm_get_Key_m1374487335_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* SymmetricAlgorithm_get_Key_m1374487335 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SymmetricAlgorithm_get_Key_m1374487335_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = __this->get_KeyValue_3(); if (L_0) { goto IL_0011; } } { VirtActionInvoker0::Invoke(25 /* System.Void System.Security.Cryptography.SymmetricAlgorithm::GenerateKey() */, __this); } IL_0011: { ByteU5BU5D_t58506160* L_1 = __this->get_KeyValue_3(); NullCheck((Il2CppArray *)(Il2CppArray *)L_1); Il2CppObject * L_2 = VirtFuncInvoker0< Il2CppObject * >::Invoke(5 /* System.Object System.Array::Clone() */, (Il2CppArray *)(Il2CppArray *)L_1); return ((ByteU5BU5D_t58506160*)Castclass(L_2, ByteU5BU5D_t58506160_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.SymmetricAlgorithm::set_Key(System.Byte[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral75327; extern Il2CppCodeGenString* _stringLiteral552849315; extern const uint32_t SymmetricAlgorithm_set_Key_m4256764768_MetadataUsageId; extern "C" void SymmetricAlgorithm_set_Key_m4256764768 (SymmetricAlgorithm_t839208017 * __this, ByteU5BU5D_t58506160* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SymmetricAlgorithm_set_Key_m4256764768_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { ByteU5BU5D_t58506160* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral75327, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___value; NullCheck(L_2); V_0 = ((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_2)->max_length))))<<(int32_t)3)); KeySizesU5BU5D_t1304982661* L_3 = __this->get_LegalKeySizesValue_5(); int32_t L_4 = V_0; bool L_5 = KeySizes_IsLegalKeySize_m620693618(NULL /*static, unused*/, L_3, L_4, /*hidden argument*/NULL); if (L_5) { goto IL_0038; } } { String_t* L_6 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral552849315, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_7 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_7, L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0038: { int32_t L_8 = V_0; __this->set_KeySizeValue_2(L_8); ByteU5BU5D_t58506160* L_9 = ___value; NullCheck((Il2CppArray *)(Il2CppArray *)L_9); Il2CppObject * L_10 = VirtFuncInvoker0< Il2CppObject * >::Invoke(5 /* System.Object System.Array::Clone() */, (Il2CppArray *)(Il2CppArray *)L_9); __this->set_KeyValue_3(((ByteU5BU5D_t58506160*)Castclass(L_10, ByteU5BU5D_t58506160_il2cpp_TypeInfo_var))); return; } } // System.Int32 System.Security.Cryptography.SymmetricAlgorithm::get_KeySize() extern "C" int32_t SymmetricAlgorithm_get_KeySize_m3649844218 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get_KeySizeValue_2(); return L_0; } } // System.Void System.Security.Cryptography.SymmetricAlgorithm::set_KeySize(System.Int32) extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral552849315; extern const uint32_t SymmetricAlgorithm_set_KeySize_m1757877563_MetadataUsageId; extern "C" void SymmetricAlgorithm_set_KeySize_m1757877563 (SymmetricAlgorithm_t839208017 * __this, int32_t ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SymmetricAlgorithm_set_KeySize_m1757877563_MetadataUsageId); s_Il2CppMethodIntialized = true; } { KeySizesU5BU5D_t1304982661* L_0 = __this->get_LegalKeySizesValue_5(); int32_t L_1 = ___value; bool L_2 = KeySizes_IsLegalKeySize_m620693618(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); if (L_2) { goto IL_0021; } } { String_t* L_3 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral552849315, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_4 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_0021: { int32_t L_5 = ___value; __this->set_KeySizeValue_2(L_5); __this->set_KeyValue_3((ByteU5BU5D_t58506160*)NULL); return; } } // System.Security.Cryptography.KeySizes[] System.Security.Cryptography.SymmetricAlgorithm::get_LegalKeySizes() extern "C" KeySizesU5BU5D_t1304982661* SymmetricAlgorithm_get_LegalKeySizes_m472333301 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { { KeySizesU5BU5D_t1304982661* L_0 = __this->get_LegalKeySizesValue_5(); return L_0; } } // System.Security.Cryptography.CipherMode System.Security.Cryptography.SymmetricAlgorithm::get_Mode() extern "C" int32_t SymmetricAlgorithm_get_Mode_m595116277 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get_ModeValue_7(); return L_0; } } // System.Void System.Security.Cryptography.SymmetricAlgorithm::set_Mode(System.Security.Cryptography.CipherMode) extern TypeInfo* CipherMode_t3203384231_il2cpp_TypeInfo_var; extern TypeInfo* Enum_t2778772662_il2cpp_TypeInfo_var; extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral74623508; extern const uint32_t SymmetricAlgorithm_set_Mode_m3645569238_MetadataUsageId; extern "C" void SymmetricAlgorithm_set_Mode_m3645569238 (SymmetricAlgorithm_t839208017 * __this, int32_t ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SymmetricAlgorithm_set_Mode_m3645569238_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = __this->get_ModeValue_7(); int32_t L_1 = L_0; Il2CppObject * L_2 = Box(CipherMode_t3203384231_il2cpp_TypeInfo_var, &L_1); NullCheck(L_2); Type_t * L_3 = Object_GetType_m2022236990(L_2, /*hidden argument*/NULL); int32_t L_4 = ___value; int32_t L_5 = L_4; Il2CppObject * L_6 = Box(CipherMode_t3203384231_il2cpp_TypeInfo_var, &L_5); IL2CPP_RUNTIME_CLASS_INIT(Enum_t2778772662_il2cpp_TypeInfo_var); bool L_7 = Enum_IsDefined_m2781598580(NULL /*static, unused*/, L_3, L_6, /*hidden argument*/NULL); if (L_7) { goto IL_0030; } } { String_t* L_8 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral74623508, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_9 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_9, L_8, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_0030: { int32_t L_10 = ___value; __this->set_ModeValue_7(L_10); return; } } // System.Security.Cryptography.PaddingMode System.Security.Cryptography.SymmetricAlgorithm::get_Padding() extern "C" int32_t SymmetricAlgorithm_get_Padding_m3269163097 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get_PaddingValue_8(); return L_0; } } // System.Void System.Security.Cryptography.SymmetricAlgorithm::set_Padding(System.Security.Cryptography.PaddingMode) extern TypeInfo* PaddingMode_t1724215917_il2cpp_TypeInfo_var; extern TypeInfo* Enum_t2778772662_il2cpp_TypeInfo_var; extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3013400206; extern const uint32_t SymmetricAlgorithm_set_Padding_m2651553690_MetadataUsageId; extern "C" void SymmetricAlgorithm_set_Padding_m2651553690 (SymmetricAlgorithm_t839208017 * __this, int32_t ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SymmetricAlgorithm_set_Padding_m2651553690_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = __this->get_PaddingValue_8(); int32_t L_1 = L_0; Il2CppObject * L_2 = Box(PaddingMode_t1724215917_il2cpp_TypeInfo_var, &L_1); NullCheck(L_2); Type_t * L_3 = Object_GetType_m2022236990(L_2, /*hidden argument*/NULL); int32_t L_4 = ___value; int32_t L_5 = L_4; Il2CppObject * L_6 = Box(PaddingMode_t1724215917_il2cpp_TypeInfo_var, &L_5); IL2CPP_RUNTIME_CLASS_INIT(Enum_t2778772662_il2cpp_TypeInfo_var); bool L_7 = Enum_IsDefined_m2781598580(NULL /*static, unused*/, L_3, L_6, /*hidden argument*/NULL); if (L_7) { goto IL_0030; } } { String_t* L_8 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral3013400206, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_9 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_9, L_8, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_0030: { int32_t L_10 = ___value; __this->set_PaddingValue_8(L_10); return; } } // System.Security.Cryptography.ICryptoTransform System.Security.Cryptography.SymmetricAlgorithm::CreateDecryptor() extern "C" Il2CppObject * SymmetricAlgorithm_CreateDecryptor_m861706393 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(11 /* System.Byte[] System.Security.Cryptography.SymmetricAlgorithm::get_Key() */, __this); ByteU5BU5D_t58506160* L_1 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(9 /* System.Byte[] System.Security.Cryptography.SymmetricAlgorithm::get_IV() */, __this); Il2CppObject * L_2 = VirtFuncInvoker2< Il2CppObject *, ByteU5BU5D_t58506160*, ByteU5BU5D_t58506160* >::Invoke(21 /* System.Security.Cryptography.ICryptoTransform System.Security.Cryptography.SymmetricAlgorithm::CreateDecryptor(System.Byte[],System.Byte[]) */, __this, L_0, L_1); return L_2; } } // System.Security.Cryptography.ICryptoTransform System.Security.Cryptography.SymmetricAlgorithm::CreateEncryptor() extern "C" Il2CppObject * SymmetricAlgorithm_CreateEncryptor_m1591100785 (SymmetricAlgorithm_t839208017 * __this, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(11 /* System.Byte[] System.Security.Cryptography.SymmetricAlgorithm::get_Key() */, __this); ByteU5BU5D_t58506160* L_1 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(9 /* System.Byte[] System.Security.Cryptography.SymmetricAlgorithm::get_IV() */, __this); Il2CppObject * L_2 = VirtFuncInvoker2< Il2CppObject *, ByteU5BU5D_t58506160*, ByteU5BU5D_t58506160* >::Invoke(23 /* System.Security.Cryptography.ICryptoTransform System.Security.Cryptography.SymmetricAlgorithm::CreateEncryptor(System.Byte[],System.Byte[]) */, __this, L_0, L_1); return L_2; } } // System.Security.Cryptography.SymmetricAlgorithm System.Security.Cryptography.SymmetricAlgorithm::Create(System.String) extern TypeInfo* CryptoConfig_t2102571196_il2cpp_TypeInfo_var; extern TypeInfo* SymmetricAlgorithm_t839208017_il2cpp_TypeInfo_var; extern const uint32_t SymmetricAlgorithm_Create_m1327881011_MetadataUsageId; extern "C" SymmetricAlgorithm_t839208017 * SymmetricAlgorithm_Create_m1327881011 (Il2CppObject * __this /* static, unused */, String_t* ___algName, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SymmetricAlgorithm_Create_m1327881011_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___algName; IL2CPP_RUNTIME_CLASS_INIT(CryptoConfig_t2102571196_il2cpp_TypeInfo_var); Il2CppObject * L_1 = CryptoConfig_CreateFromName_m3477093824(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); return ((SymmetricAlgorithm_t839208017 *)CastclassClass(L_1, SymmetricAlgorithm_t839208017_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.ToBase64Transform::System.IDisposable.Dispose() extern "C" void ToBase64Transform_System_IDisposable_Dispose_m3306649020 (ToBase64Transform_t1303874555 * __this, const MethodInfo* method) { { VirtActionInvoker1< bool >::Invoke(11 /* System.Void System.Security.Cryptography.ToBase64Transform::Dispose(System.Boolean) */, __this, (bool)1); GC_SuppressFinalize_m1160635446(NULL /*static, unused*/, __this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.ToBase64Transform::Finalize() extern "C" void ToBase64Transform_Finalize_m1322714047 (ToBase64Transform_t1303874555 * __this, const MethodInfo* method) { Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); IL_0000: try { // begin try (depth: 1) VirtActionInvoker1< bool >::Invoke(11 /* System.Void System.Security.Cryptography.ToBase64Transform::Dispose(System.Boolean) */, __this, (bool)0); IL2CPP_LEAVE(0x13, FINALLY_000c); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_000c; } FINALLY_000c: { // begin finally (depth: 1) Object_Finalize_m3027285644(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(12) } // end finally (depth: 1) IL2CPP_CLEANUP(12) { IL2CPP_JUMP_TBL(0x13, IL_0013) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0013: { return; } } // System.Boolean System.Security.Cryptography.ToBase64Transform::get_CanReuseTransform() extern "C" bool ToBase64Transform_get_CanReuseTransform_m1085934718 (ToBase64Transform_t1303874555 * __this, const MethodInfo* method) { { return (bool)1; } } // System.Int32 System.Security.Cryptography.ToBase64Transform::get_InputBlockSize() extern "C" int32_t ToBase64Transform_get_InputBlockSize_m3015719818 (ToBase64Transform_t1303874555 * __this, const MethodInfo* method) { { return 3; } } // System.Int32 System.Security.Cryptography.ToBase64Transform::get_OutputBlockSize() extern "C" int32_t ToBase64Transform_get_OutputBlockSize_m2038267529 (ToBase64Transform_t1303874555 * __this, const MethodInfo* method) { { return 4; } } // System.Void System.Security.Cryptography.ToBase64Transform::Dispose(System.Boolean) extern "C" void ToBase64Transform_Dispose_m171060919 (ToBase64Transform_t1303874555 * __this, bool ___disposing, const MethodInfo* method) { { bool L_0 = __this->get_m_disposed_0(); if (L_0) { goto IL_0018; } } { bool L_1 = ___disposing; if (!L_1) { goto IL_0011; } } IL_0011: { __this->set_m_disposed_0((bool)1); } IL_0018: { return; } } // System.Int32 System.Security.Cryptography.ToBase64Transform::TransformBlock(System.Byte[],System.Int32,System.Int32,System.Byte[],System.Int32) extern TypeInfo* ObjectDisposedException_t973246880_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1593014433; extern Il2CppCodeGenString* _stringLiteral3502856362; extern Il2CppCodeGenString* _stringLiteral3678475425; extern Il2CppCodeGenString* _stringLiteral1360680805; extern Il2CppCodeGenString* _stringLiteral58700; extern Il2CppCodeGenString* _stringLiteral594286626; extern Il2CppCodeGenString* _stringLiteral3861195005; extern Il2CppCodeGenString* _stringLiteral4036814068; extern const uint32_t ToBase64Transform_TransformBlock_m3037413161_MetadataUsageId; extern "C" int32_t ToBase64Transform_TransformBlock_m3037413161 (ToBase64Transform_t1303874555 * __this, ByteU5BU5D_t58506160* ___inputBuffer, int32_t ___inputOffset, int32_t ___inputCount, ByteU5BU5D_t58506160* ___outputBuffer, int32_t ___outputOffset, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ToBase64Transform_TransformBlock_m3037413161_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = __this->get_m_disposed_0(); if (!L_0) { goto IL_0016; } } { ObjectDisposedException_t973246880 * L_1 = (ObjectDisposedException_t973246880 *)il2cpp_codegen_object_new(ObjectDisposedException_t973246880_il2cpp_TypeInfo_var); ObjectDisposedException__ctor_m1180707260(L_1, _stringLiteral1593014433, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0016: { ByteU5BU5D_t58506160* L_2 = ___inputBuffer; if (L_2) { goto IL_0027; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral3502856362, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0027: { ByteU5BU5D_t58506160* L_4 = ___outputBuffer; if (L_4) { goto IL_0039; } } { ArgumentNullException_t3214793280 * L_5 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_5, _stringLiteral3678475425, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0039: { int32_t L_6 = ___inputCount; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0050; } } { ArgumentException_t124305799 * L_7 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_7, _stringLiteral1360680805, _stringLiteral58700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0050: { int32_t L_8 = ___inputCount; ByteU5BU5D_t58506160* L_9 = ___inputBuffer; NullCheck(L_9); if ((((int32_t)L_8) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))))) { goto IL_006e; } } { String_t* L_10 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral594286626, /*hidden argument*/NULL); ArgumentException_t124305799 * L_11 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_11, _stringLiteral1360680805, L_10, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11); } IL_006e: { int32_t L_12 = ___inputOffset; if ((((int32_t)L_12) >= ((int32_t)0))) { goto IL_0085; } } { ArgumentOutOfRangeException_t3479058991 * L_13 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_13, _stringLiteral3861195005, _stringLiteral58700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_13); } IL_0085: { int32_t L_14 = ___inputOffset; ByteU5BU5D_t58506160* L_15 = ___inputBuffer; NullCheck(L_15); int32_t L_16 = ___inputCount; if ((((int32_t)L_14) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_15)->max_length))))-(int32_t)L_16))))) { goto IL_00a5; } } { String_t* L_17 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral594286626, /*hidden argument*/NULL); ArgumentException_t124305799 * L_18 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_18, _stringLiteral3861195005, L_17, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_18); } IL_00a5: { int32_t L_19 = ___outputOffset; if ((((int32_t)L_19) >= ((int32_t)0))) { goto IL_00bd; } } { ArgumentOutOfRangeException_t3479058991 * L_20 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_20, _stringLiteral4036814068, _stringLiteral58700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_20); } IL_00bd: { int32_t L_21 = ___outputOffset; ByteU5BU5D_t58506160* L_22 = ___outputBuffer; NullCheck(L_22); int32_t L_23 = ___inputCount; if ((((int32_t)L_21) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_22)->max_length))))-(int32_t)L_23))))) { goto IL_00df; } } { String_t* L_24 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral594286626, /*hidden argument*/NULL); ArgumentException_t124305799 * L_25 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_25, _stringLiteral4036814068, L_24, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_25); } IL_00df: { ByteU5BU5D_t58506160* L_26 = ___inputBuffer; int32_t L_27 = ___inputOffset; int32_t L_28 = ___inputCount; ByteU5BU5D_t58506160* L_29 = ___outputBuffer; int32_t L_30 = ___outputOffset; ToBase64Transform_InternalTransformBlock_m4265320362(NULL /*static, unused*/, L_26, L_27, L_28, L_29, L_30, /*hidden argument*/NULL); int32_t L_31 = VirtFuncInvoker0< int32_t >::Invoke(10 /* System.Int32 System.Security.Cryptography.ToBase64Transform::get_OutputBlockSize() */, __this); return L_31; } } // System.Void System.Security.Cryptography.ToBase64Transform::InternalTransformBlock(System.Byte[],System.Int32,System.Int32,System.Byte[],System.Int32) extern TypeInfo* Base64Constants_t2949752281_il2cpp_TypeInfo_var; extern const uint32_t ToBase64Transform_InternalTransformBlock_m4265320362_MetadataUsageId; extern "C" void ToBase64Transform_InternalTransformBlock_m4265320362 (Il2CppObject * __this /* static, unused */, ByteU5BU5D_t58506160* ___inputBuffer, int32_t ___inputOffset, int32_t ___inputCount, ByteU5BU5D_t58506160* ___outputBuffer, int32_t ___outputOffset, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ToBase64Transform_InternalTransformBlock_m4265320362_MetadataUsageId); s_Il2CppMethodIntialized = true; } ByteU5BU5D_t58506160* V_0 = NULL; int32_t V_1 = 0; int32_t V_2 = 0; int32_t V_3 = 0; { IL2CPP_RUNTIME_CLASS_INIT(Base64Constants_t2949752281_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_0 = ((Base64Constants_t2949752281_StaticFields*)Base64Constants_t2949752281_il2cpp_TypeInfo_var->static_fields)->get_EncodeTable_0(); V_0 = L_0; ByteU5BU5D_t58506160* L_1 = ___inputBuffer; int32_t L_2 = ___inputOffset; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, L_2); int32_t L_3 = L_2; V_1 = ((L_1)->GetAt(static_cast<il2cpp_array_size_t>(L_3))); ByteU5BU5D_t58506160* L_4 = ___inputBuffer; int32_t L_5 = ___inputOffset; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, ((int32_t)((int32_t)L_5+(int32_t)1))); int32_t L_6 = ((int32_t)((int32_t)L_5+(int32_t)1)); V_2 = ((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6))); ByteU5BU5D_t58506160* L_7 = ___inputBuffer; int32_t L_8 = ___inputOffset; NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, ((int32_t)((int32_t)L_8+(int32_t)2))); int32_t L_9 = ((int32_t)((int32_t)L_8+(int32_t)2)); V_3 = ((L_7)->GetAt(static_cast<il2cpp_array_size_t>(L_9))); ByteU5BU5D_t58506160* L_10 = ___outputBuffer; int32_t L_11 = ___outputOffset; ByteU5BU5D_t58506160* L_12 = V_0; int32_t L_13 = V_1; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, ((int32_t)((int32_t)L_13>>(int32_t)2))); int32_t L_14 = ((int32_t)((int32_t)L_13>>(int32_t)2)); NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, L_11); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(L_11), (uint8_t)((L_12)->GetAt(static_cast<il2cpp_array_size_t>(L_14)))); ByteU5BU5D_t58506160* L_15 = ___outputBuffer; int32_t L_16 = ___outputOffset; ByteU5BU5D_t58506160* L_17 = V_0; int32_t L_18 = V_1; int32_t L_19 = V_2; NullCheck(L_17); IL2CPP_ARRAY_BOUNDS_CHECK(L_17, ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_18<<(int32_t)4))&(int32_t)((int32_t)48)))|(int32_t)((int32_t)((int32_t)L_19>>(int32_t)4))))); int32_t L_20 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_18<<(int32_t)4))&(int32_t)((int32_t)48)))|(int32_t)((int32_t)((int32_t)L_19>>(int32_t)4)))); NullCheck(L_15); IL2CPP_ARRAY_BOUNDS_CHECK(L_15, ((int32_t)((int32_t)L_16+(int32_t)1))); (L_15)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_16+(int32_t)1))), (uint8_t)((L_17)->GetAt(static_cast<il2cpp_array_size_t>(L_20)))); ByteU5BU5D_t58506160* L_21 = ___outputBuffer; int32_t L_22 = ___outputOffset; ByteU5BU5D_t58506160* L_23 = V_0; int32_t L_24 = V_2; int32_t L_25 = V_3; NullCheck(L_23); IL2CPP_ARRAY_BOUNDS_CHECK(L_23, ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_24<<(int32_t)2))&(int32_t)((int32_t)60)))|(int32_t)((int32_t)((int32_t)L_25>>(int32_t)6))))); int32_t L_26 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_24<<(int32_t)2))&(int32_t)((int32_t)60)))|(int32_t)((int32_t)((int32_t)L_25>>(int32_t)6)))); NullCheck(L_21); IL2CPP_ARRAY_BOUNDS_CHECK(L_21, ((int32_t)((int32_t)L_22+(int32_t)2))); (L_21)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_22+(int32_t)2))), (uint8_t)((L_23)->GetAt(static_cast<il2cpp_array_size_t>(L_26)))); ByteU5BU5D_t58506160* L_27 = ___outputBuffer; int32_t L_28 = ___outputOffset; ByteU5BU5D_t58506160* L_29 = V_0; int32_t L_30 = V_3; NullCheck(L_29); IL2CPP_ARRAY_BOUNDS_CHECK(L_29, ((int32_t)((int32_t)L_30&(int32_t)((int32_t)63)))); int32_t L_31 = ((int32_t)((int32_t)L_30&(int32_t)((int32_t)63))); NullCheck(L_27); IL2CPP_ARRAY_BOUNDS_CHECK(L_27, ((int32_t)((int32_t)L_28+(int32_t)3))); (L_27)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_28+(int32_t)3))), (uint8_t)((L_29)->GetAt(static_cast<il2cpp_array_size_t>(L_31)))); return; } } // System.Byte[] System.Security.Cryptography.ToBase64Transform::TransformFinalBlock(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ObjectDisposedException_t973246880_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral560481571; extern Il2CppCodeGenString* _stringLiteral3502856362; extern Il2CppCodeGenString* _stringLiteral1360680805; extern Il2CppCodeGenString* _stringLiteral58700; extern Il2CppCodeGenString* _stringLiteral594286626; extern Il2CppCodeGenString* _stringLiteral3656060837; extern const uint32_t ToBase64Transform_TransformFinalBlock_m3613045167_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* ToBase64Transform_TransformFinalBlock_m3613045167 (ToBase64Transform_t1303874555 * __this, ByteU5BU5D_t58506160* ___inputBuffer, int32_t ___inputOffset, int32_t ___inputCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ToBase64Transform_TransformFinalBlock_m3613045167_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = __this->get_m_disposed_0(); if (!L_0) { goto IL_0016; } } { ObjectDisposedException_t973246880 * L_1 = (ObjectDisposedException_t973246880 *)il2cpp_codegen_object_new(ObjectDisposedException_t973246880_il2cpp_TypeInfo_var); ObjectDisposedException__ctor_m1180707260(L_1, _stringLiteral560481571, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0016: { ByteU5BU5D_t58506160* L_2 = ___inputBuffer; if (L_2) { goto IL_0027; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral3502856362, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0027: { int32_t L_4 = ___inputCount; if ((((int32_t)L_4) >= ((int32_t)0))) { goto IL_003e; } } { ArgumentException_t124305799 * L_5 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_5, _stringLiteral1360680805, _stringLiteral58700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_003e: { int32_t L_6 = ___inputOffset; ByteU5BU5D_t58506160* L_7 = ___inputBuffer; NullCheck(L_7); int32_t L_8 = ___inputCount; if ((((int32_t)L_6) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_7)->max_length))))-(int32_t)L_8))))) { goto IL_005e; } } { String_t* L_9 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral594286626, /*hidden argument*/NULL); ArgumentException_t124305799 * L_10 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_10, _stringLiteral1360680805, L_9, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_10); } IL_005e: { int32_t L_11 = ___inputCount; int32_t L_12 = VirtFuncInvoker0< int32_t >::Invoke(9 /* System.Int32 System.Security.Cryptography.ToBase64Transform::get_InputBlockSize() */, __this); if ((((int32_t)L_11) <= ((int32_t)L_12))) { goto IL_007a; } } { String_t* L_13 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral3656060837, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_14, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_007a: { ByteU5BU5D_t58506160* L_15 = ___inputBuffer; int32_t L_16 = ___inputOffset; int32_t L_17 = ___inputCount; ByteU5BU5D_t58506160* L_18 = ToBase64Transform_InternalTransformFinalBlock_m1422663948(NULL /*static, unused*/, L_15, L_16, L_17, /*hidden argument*/NULL); return L_18; } } // System.Byte[] System.Security.Cryptography.ToBase64Transform::InternalTransformFinalBlock(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern TypeInfo* Base64Constants_t2949752281_il2cpp_TypeInfo_var; extern const uint32_t ToBase64Transform_InternalTransformFinalBlock_m1422663948_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* ToBase64Transform_InternalTransformFinalBlock_m1422663948 (Il2CppObject * __this /* static, unused */, ByteU5BU5D_t58506160* ___inputBuffer, int32_t ___inputOffset, int32_t ___inputCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ToBase64Transform_InternalTransformFinalBlock_m1422663948_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; int32_t V_3 = 0; ByteU5BU5D_t58506160* V_4 = NULL; int32_t V_5 = 0; int32_t V_6 = 0; ByteU5BU5D_t58506160* V_7 = NULL; int32_t V_8 = 0; int32_t V_9 = 0; int32_t V_10 = 0; int32_t G_B3_0 = 0; { V_0 = 3; V_1 = 4; int32_t L_0 = ___inputCount; int32_t L_1 = V_0; V_2 = ((int32_t)((int32_t)L_0/(int32_t)L_1)); int32_t L_2 = ___inputCount; int32_t L_3 = V_0; V_3 = ((int32_t)((int32_t)L_2%(int32_t)L_3)); int32_t L_4 = ___inputCount; if (!L_4) { goto IL_001e; } } { int32_t L_5 = ___inputCount; int32_t L_6 = V_0; int32_t L_7 = V_1; G_B3_0 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5+(int32_t)2))/(int32_t)L_6))*(int32_t)L_7)); goto IL_001f; } IL_001e: { G_B3_0 = 0; } IL_001f: { V_4 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)G_B3_0)); V_5 = 0; V_6 = 0; goto IL_004e; } IL_0031: { ByteU5BU5D_t58506160* L_8 = ___inputBuffer; int32_t L_9 = ___inputOffset; int32_t L_10 = V_0; ByteU5BU5D_t58506160* L_11 = V_4; int32_t L_12 = V_5; ToBase64Transform_InternalTransformBlock_m4265320362(NULL /*static, unused*/, L_8, L_9, L_10, L_11, L_12, /*hidden argument*/NULL); int32_t L_13 = ___inputOffset; int32_t L_14 = V_0; ___inputOffset = ((int32_t)((int32_t)L_13+(int32_t)L_14)); int32_t L_15 = V_5; int32_t L_16 = V_1; V_5 = ((int32_t)((int32_t)L_15+(int32_t)L_16)); int32_t L_17 = V_6; V_6 = ((int32_t)((int32_t)L_17+(int32_t)1)); } IL_004e: { int32_t L_18 = V_6; int32_t L_19 = V_2; if ((((int32_t)L_18) < ((int32_t)L_19))) { goto IL_0031; } } { IL2CPP_RUNTIME_CLASS_INIT(Base64Constants_t2949752281_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_20 = ((Base64Constants_t2949752281_StaticFields*)Base64Constants_t2949752281_il2cpp_TypeInfo_var->static_fields)->get_EncodeTable_0(); V_7 = L_20; int32_t L_21 = V_3; V_10 = L_21; int32_t L_22 = V_10; if (L_22 == 0) { goto IL_0078; } if (L_22 == 1) { goto IL_007d; } if (L_22 == 2) { goto IL_00b6; } } { goto IL_0103; } IL_0078: { goto IL_0103; } IL_007d: { ByteU5BU5D_t58506160* L_23 = ___inputBuffer; int32_t L_24 = ___inputOffset; NullCheck(L_23); IL2CPP_ARRAY_BOUNDS_CHECK(L_23, L_24); int32_t L_25 = L_24; V_8 = ((L_23)->GetAt(static_cast<il2cpp_array_size_t>(L_25))); ByteU5BU5D_t58506160* L_26 = V_4; int32_t L_27 = V_5; ByteU5BU5D_t58506160* L_28 = V_7; int32_t L_29 = V_8; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, ((int32_t)((int32_t)L_29>>(int32_t)2))); int32_t L_30 = ((int32_t)((int32_t)L_29>>(int32_t)2)); NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, L_27); (L_26)->SetAt(static_cast<il2cpp_array_size_t>(L_27), (uint8_t)((L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_30)))); ByteU5BU5D_t58506160* L_31 = V_4; int32_t L_32 = V_5; ByteU5BU5D_t58506160* L_33 = V_7; int32_t L_34 = V_8; NullCheck(L_33); IL2CPP_ARRAY_BOUNDS_CHECK(L_33, ((int32_t)((int32_t)((int32_t)((int32_t)L_34<<(int32_t)4))&(int32_t)((int32_t)48)))); int32_t L_35 = ((int32_t)((int32_t)((int32_t)((int32_t)L_34<<(int32_t)4))&(int32_t)((int32_t)48))); NullCheck(L_31); IL2CPP_ARRAY_BOUNDS_CHECK(L_31, ((int32_t)((int32_t)L_32+(int32_t)1))); (L_31)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_32+(int32_t)1))), (uint8_t)((L_33)->GetAt(static_cast<il2cpp_array_size_t>(L_35)))); ByteU5BU5D_t58506160* L_36 = V_4; int32_t L_37 = V_5; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, ((int32_t)((int32_t)L_37+(int32_t)2))); (L_36)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_37+(int32_t)2))), (uint8_t)((int32_t)61)); ByteU5BU5D_t58506160* L_38 = V_4; int32_t L_39 = V_5; NullCheck(L_38); IL2CPP_ARRAY_BOUNDS_CHECK(L_38, ((int32_t)((int32_t)L_39+(int32_t)3))); (L_38)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_39+(int32_t)3))), (uint8_t)((int32_t)61)); goto IL_0103; } IL_00b6: { ByteU5BU5D_t58506160* L_40 = ___inputBuffer; int32_t L_41 = ___inputOffset; NullCheck(L_40); IL2CPP_ARRAY_BOUNDS_CHECK(L_40, L_41); int32_t L_42 = L_41; V_8 = ((L_40)->GetAt(static_cast<il2cpp_array_size_t>(L_42))); ByteU5BU5D_t58506160* L_43 = ___inputBuffer; int32_t L_44 = ___inputOffset; NullCheck(L_43); IL2CPP_ARRAY_BOUNDS_CHECK(L_43, ((int32_t)((int32_t)L_44+(int32_t)1))); int32_t L_45 = ((int32_t)((int32_t)L_44+(int32_t)1)); V_9 = ((L_43)->GetAt(static_cast<il2cpp_array_size_t>(L_45))); ByteU5BU5D_t58506160* L_46 = V_4; int32_t L_47 = V_5; ByteU5BU5D_t58506160* L_48 = V_7; int32_t L_49 = V_8; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, ((int32_t)((int32_t)L_49>>(int32_t)2))); int32_t L_50 = ((int32_t)((int32_t)L_49>>(int32_t)2)); NullCheck(L_46); IL2CPP_ARRAY_BOUNDS_CHECK(L_46, L_47); (L_46)->SetAt(static_cast<il2cpp_array_size_t>(L_47), (uint8_t)((L_48)->GetAt(static_cast<il2cpp_array_size_t>(L_50)))); ByteU5BU5D_t58506160* L_51 = V_4; int32_t L_52 = V_5; ByteU5BU5D_t58506160* L_53 = V_7; int32_t L_54 = V_8; int32_t L_55 = V_9; NullCheck(L_53); IL2CPP_ARRAY_BOUNDS_CHECK(L_53, ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_54<<(int32_t)4))&(int32_t)((int32_t)48)))|(int32_t)((int32_t)((int32_t)L_55>>(int32_t)4))))); int32_t L_56 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_54<<(int32_t)4))&(int32_t)((int32_t)48)))|(int32_t)((int32_t)((int32_t)L_55>>(int32_t)4)))); NullCheck(L_51); IL2CPP_ARRAY_BOUNDS_CHECK(L_51, ((int32_t)((int32_t)L_52+(int32_t)1))); (L_51)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_52+(int32_t)1))), (uint8_t)((L_53)->GetAt(static_cast<il2cpp_array_size_t>(L_56)))); ByteU5BU5D_t58506160* L_57 = V_4; int32_t L_58 = V_5; ByteU5BU5D_t58506160* L_59 = V_7; int32_t L_60 = V_9; NullCheck(L_59); IL2CPP_ARRAY_BOUNDS_CHECK(L_59, ((int32_t)((int32_t)((int32_t)((int32_t)L_60<<(int32_t)2))&(int32_t)((int32_t)60)))); int32_t L_61 = ((int32_t)((int32_t)((int32_t)((int32_t)L_60<<(int32_t)2))&(int32_t)((int32_t)60))); NullCheck(L_57); IL2CPP_ARRAY_BOUNDS_CHECK(L_57, ((int32_t)((int32_t)L_58+(int32_t)2))); (L_57)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_58+(int32_t)2))), (uint8_t)((L_59)->GetAt(static_cast<il2cpp_array_size_t>(L_61)))); ByteU5BU5D_t58506160* L_62 = V_4; int32_t L_63 = V_5; NullCheck(L_62); IL2CPP_ARRAY_BOUNDS_CHECK(L_62, ((int32_t)((int32_t)L_63+(int32_t)3))); (L_62)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)L_63+(int32_t)3))), (uint8_t)((int32_t)61)); goto IL_0103; } IL_0103: { ByteU5BU5D_t58506160* L_64 = V_4; return L_64; } } // System.Void System.Security.Cryptography.TripleDES::.ctor() extern TypeInfo* KeySizesU5BU5D_t1304982661_il2cpp_TypeInfo_var; extern TypeInfo* KeySizes_t2111859404_il2cpp_TypeInfo_var; extern const uint32_t TripleDES__ctor_m394410001_MetadataUsageId; extern "C" void TripleDES__ctor_m394410001 (TripleDES_t3174934509 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (TripleDES__ctor_m394410001_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SymmetricAlgorithm__ctor_m3015042793(__this, /*hidden argument*/NULL); ((SymmetricAlgorithm_t839208017 *)__this)->set_KeySizeValue_2(((int32_t)192)); ((SymmetricAlgorithm_t839208017 *)__this)->set_BlockSizeValue_0(((int32_t)64)); ((SymmetricAlgorithm_t839208017 *)__this)->set_FeedbackSizeValue_6(8); ((SymmetricAlgorithm_t839208017 *)__this)->set_LegalKeySizesValue_5(((KeySizesU5BU5D_t1304982661*)SZArrayNew(KeySizesU5BU5D_t1304982661_il2cpp_TypeInfo_var, (uint32_t)1))); KeySizesU5BU5D_t1304982661* L_0 = ((SymmetricAlgorithm_t839208017 *)__this)->get_LegalKeySizesValue_5(); KeySizes_t2111859404 * L_1 = (KeySizes_t2111859404 *)il2cpp_codegen_object_new(KeySizes_t2111859404_il2cpp_TypeInfo_var); KeySizes__ctor_m428291391(L_1, ((int32_t)128), ((int32_t)192), ((int32_t)64), /*hidden argument*/NULL); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); ArrayElementTypeCheck (L_0, L_1); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (KeySizes_t2111859404 *)L_1); ((SymmetricAlgorithm_t839208017 *)__this)->set_LegalBlockSizesValue_4(((KeySizesU5BU5D_t1304982661*)SZArrayNew(KeySizesU5BU5D_t1304982661_il2cpp_TypeInfo_var, (uint32_t)1))); KeySizesU5BU5D_t1304982661* L_2 = ((SymmetricAlgorithm_t839208017 *)__this)->get_LegalBlockSizesValue_4(); KeySizes_t2111859404 * L_3 = (KeySizes_t2111859404 *)il2cpp_codegen_object_new(KeySizes_t2111859404_il2cpp_TypeInfo_var); KeySizes__ctor_m428291391(L_3, ((int32_t)64), ((int32_t)64), 0, /*hidden argument*/NULL); NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 0); ArrayElementTypeCheck (L_2, L_3); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(0), (KeySizes_t2111859404 *)L_3); return; } } // System.Byte[] System.Security.Cryptography.TripleDES::get_Key() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t TripleDES_get_Key_m3541813947_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* TripleDES_get_Key_m3541813947 (TripleDES_t3174934509 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (TripleDES_get_Key_m3541813947_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ((SymmetricAlgorithm_t839208017 *)__this)->get_KeyValue_3(); if (L_0) { goto IL_002c; } } { VirtActionInvoker0::Invoke(25 /* System.Void System.Security.Cryptography.SymmetricAlgorithm::GenerateKey() */, __this); goto IL_001c; } IL_0016: { VirtActionInvoker0::Invoke(25 /* System.Void System.Security.Cryptography.SymmetricAlgorithm::GenerateKey() */, __this); } IL_001c: { ByteU5BU5D_t58506160* L_1 = ((SymmetricAlgorithm_t839208017 *)__this)->get_KeyValue_3(); bool L_2 = TripleDES_IsWeakKey_m2750070815(NULL /*static, unused*/, L_1, /*hidden argument*/NULL); if (L_2) { goto IL_0016; } } IL_002c: { ByteU5BU5D_t58506160* L_3 = ((SymmetricAlgorithm_t839208017 *)__this)->get_KeyValue_3(); NullCheck((Il2CppArray *)(Il2CppArray *)L_3); Il2CppObject * L_4 = VirtFuncInvoker0< Il2CppObject * >::Invoke(5 /* System.Object System.Array::Clone() */, (Il2CppArray *)(Il2CppArray *)L_3); return ((ByteU5BU5D_t58506160*)Castclass(L_4, ByteU5BU5D_t58506160_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.TripleDES::set_Key(System.Byte[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral75327; extern Il2CppCodeGenString* _stringLiteral3621075383; extern const uint32_t TripleDES_set_Key_m1852525880_MetadataUsageId; extern "C" void TripleDES_set_Key_m1852525880 (TripleDES_t3174934509 * __this, ByteU5BU5D_t58506160* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (TripleDES_set_Key_m1852525880_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral75327, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___value; bool L_3 = TripleDES_IsWeakKey_m2750070815(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); if (!L_3) { goto IL_002c; } } { String_t* L_4 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral3621075383, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_5 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_002c: { ByteU5BU5D_t58506160* L_6 = ___value; NullCheck((Il2CppArray *)(Il2CppArray *)L_6); Il2CppObject * L_7 = VirtFuncInvoker0< Il2CppObject * >::Invoke(5 /* System.Object System.Array::Clone() */, (Il2CppArray *)(Il2CppArray *)L_6); ((SymmetricAlgorithm_t839208017 *)__this)->set_KeyValue_3(((ByteU5BU5D_t58506160*)Castclass(L_7, ByteU5BU5D_t58506160_il2cpp_TypeInfo_var))); return; } } // System.Boolean System.Security.Cryptography.TripleDES::IsWeakKey(System.Byte[]) extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2451685446; extern Il2CppCodeGenString* _stringLiteral452691066; extern const uint32_t TripleDES_IsWeakKey_m2750070815_MetadataUsageId; extern "C" bool TripleDES_IsWeakKey_m2750070815 (Il2CppObject * __this /* static, unused */, ByteU5BU5D_t58506160* ___rgbKey, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (TripleDES_IsWeakKey_m2750070815_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; bool V_1 = false; int32_t V_2 = 0; int32_t V_3 = 0; { ByteU5BU5D_t58506160* L_0 = ___rgbKey; if (L_0) { goto IL_0016; } } { String_t* L_1 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral2451685446, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_2 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_0016: { ByteU5BU5D_t58506160* L_3 = ___rgbKey; NullCheck(L_3); if ((!(((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_3)->max_length))))) == ((uint32_t)((int32_t)16))))) { goto IL_0046; } } { V_0 = 0; goto IL_003a; } IL_0027: { ByteU5BU5D_t58506160* L_4 = ___rgbKey; int32_t L_5 = V_0; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, L_5); int32_t L_6 = L_5; ByteU5BU5D_t58506160* L_7 = ___rgbKey; int32_t L_8 = V_0; NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, ((int32_t)((int32_t)L_8+(int32_t)8))); int32_t L_9 = ((int32_t)((int32_t)L_8+(int32_t)8)); if ((((int32_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)))) == ((int32_t)((L_7)->GetAt(static_cast<il2cpp_array_size_t>(L_9)))))) { goto IL_0036; } } { return (bool)0; } IL_0036: { int32_t L_10 = V_0; V_0 = ((int32_t)((int32_t)L_10+(int32_t)1)); } IL_003a: { int32_t L_11 = V_0; if ((((int32_t)L_11) < ((int32_t)8))) { goto IL_0027; } } { goto IL_00b5; } IL_0046: { ByteU5BU5D_t58506160* L_12 = ___rgbKey; NullCheck(L_12); if ((!(((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_12)->max_length))))) == ((uint32_t)((int32_t)24))))) { goto IL_00a5; } } { V_1 = (bool)1; V_2 = 0; goto IL_0071; } IL_0059: { ByteU5BU5D_t58506160* L_13 = ___rgbKey; int32_t L_14 = V_2; NullCheck(L_13); IL2CPP_ARRAY_BOUNDS_CHECK(L_13, L_14); int32_t L_15 = L_14; ByteU5BU5D_t58506160* L_16 = ___rgbKey; int32_t L_17 = V_2; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, ((int32_t)((int32_t)L_17+(int32_t)8))); int32_t L_18 = ((int32_t)((int32_t)L_17+(int32_t)8)); if ((((int32_t)((L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)))) == ((int32_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_18)))))) { goto IL_006d; } } { V_1 = (bool)0; goto IL_0078; } IL_006d: { int32_t L_19 = V_2; V_2 = ((int32_t)((int32_t)L_19+(int32_t)1)); } IL_0071: { int32_t L_20 = V_2; if ((((int32_t)L_20) < ((int32_t)8))) { goto IL_0059; } } IL_0078: { bool L_21 = V_1; if (L_21) { goto IL_00a0; } } { V_3 = 8; goto IL_0098; } IL_0085: { ByteU5BU5D_t58506160* L_22 = ___rgbKey; int32_t L_23 = V_3; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, L_23); int32_t L_24 = L_23; ByteU5BU5D_t58506160* L_25 = ___rgbKey; int32_t L_26 = V_3; NullCheck(L_25); IL2CPP_ARRAY_BOUNDS_CHECK(L_25, ((int32_t)((int32_t)L_26+(int32_t)8))); int32_t L_27 = ((int32_t)((int32_t)L_26+(int32_t)8)); if ((((int32_t)((L_22)->GetAt(static_cast<il2cpp_array_size_t>(L_24)))) == ((int32_t)((L_25)->GetAt(static_cast<il2cpp_array_size_t>(L_27)))))) { goto IL_0094; } } { return (bool)0; } IL_0094: { int32_t L_28 = V_3; V_3 = ((int32_t)((int32_t)L_28+(int32_t)1)); } IL_0098: { int32_t L_29 = V_3; if ((((int32_t)L_29) < ((int32_t)((int32_t)16)))) { goto IL_0085; } } IL_00a0: { goto IL_00b5; } IL_00a5: { String_t* L_30 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral452691066, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_31 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_31, L_30, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_31); } IL_00b5: { return (bool)1; } } // System.Security.Cryptography.TripleDES System.Security.Cryptography.TripleDES::Create() extern Il2CppCodeGenString* _stringLiteral1461445377; extern const uint32_t TripleDES_Create_m1830328057_MetadataUsageId; extern "C" TripleDES_t3174934509 * TripleDES_Create_m1830328057 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (TripleDES_Create_m1830328057_MetadataUsageId); s_Il2CppMethodIntialized = true; } { TripleDES_t3174934509 * L_0 = TripleDES_Create_m354804905(NULL /*static, unused*/, _stringLiteral1461445377, /*hidden argument*/NULL); return L_0; } } // System.Security.Cryptography.TripleDES System.Security.Cryptography.TripleDES::Create(System.String) extern TypeInfo* CryptoConfig_t2102571196_il2cpp_TypeInfo_var; extern TypeInfo* TripleDES_t3174934509_il2cpp_TypeInfo_var; extern const uint32_t TripleDES_Create_m354804905_MetadataUsageId; extern "C" TripleDES_t3174934509 * TripleDES_Create_m354804905 (Il2CppObject * __this /* static, unused */, String_t* ___str, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (TripleDES_Create_m354804905_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___str; IL2CPP_RUNTIME_CLASS_INIT(CryptoConfig_t2102571196_il2cpp_TypeInfo_var); Il2CppObject * L_1 = CryptoConfig_CreateFromName_m3477093824(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); return ((TripleDES_t3174934509 *)CastclassClass(L_1, TripleDES_t3174934509_il2cpp_TypeInfo_var)); } } // System.Void System.Security.Cryptography.TripleDESCryptoServiceProvider::.ctor() extern "C" void TripleDESCryptoServiceProvider__ctor_m2538905264 (TripleDESCryptoServiceProvider_t635698090 * __this, const MethodInfo* method) { { TripleDES__ctor_m394410001(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.TripleDESCryptoServiceProvider::GenerateIV() extern "C" void TripleDESCryptoServiceProvider_GenerateIV_m1507918646 (TripleDESCryptoServiceProvider_t635698090 * __this, const MethodInfo* method) { { int32_t L_0 = ((SymmetricAlgorithm_t839208017 *)__this)->get_BlockSizeValue_0(); ByteU5BU5D_t58506160* L_1 = KeyBuilder_IV_m3476112319(NULL /*static, unused*/, ((int32_t)((int32_t)L_0>>(int32_t)3)), /*hidden argument*/NULL); ((SymmetricAlgorithm_t839208017 *)__this)->set_IVValue_1(L_1); return; } } // System.Void System.Security.Cryptography.TripleDESCryptoServiceProvider::GenerateKey() extern "C" void TripleDESCryptoServiceProvider_GenerateKey_m3798176824 (TripleDESCryptoServiceProvider_t635698090 * __this, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = TripleDESTransform_GetStrongKey_m101650019(NULL /*static, unused*/, /*hidden argument*/NULL); ((SymmetricAlgorithm_t839208017 *)__this)->set_KeyValue_3(L_0); return; } } // System.Security.Cryptography.ICryptoTransform System.Security.Cryptography.TripleDESCryptoServiceProvider::CreateDecryptor(System.Byte[],System.Byte[]) extern TypeInfo* TripleDESTransform_t390189137_il2cpp_TypeInfo_var; extern const uint32_t TripleDESCryptoServiceProvider_CreateDecryptor_m3177241196_MetadataUsageId; extern "C" Il2CppObject * TripleDESCryptoServiceProvider_CreateDecryptor_m3177241196 (TripleDESCryptoServiceProvider_t635698090 * __this, ByteU5BU5D_t58506160* ___rgbKey, ByteU5BU5D_t58506160* ___rgbIV, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (TripleDESCryptoServiceProvider_CreateDecryptor_m3177241196_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___rgbKey; ByteU5BU5D_t58506160* L_1 = ___rgbIV; TripleDESTransform_t390189137 * L_2 = (TripleDESTransform_t390189137 *)il2cpp_codegen_object_new(TripleDESTransform_t390189137_il2cpp_TypeInfo_var); TripleDESTransform__ctor_m3679252923(L_2, __this, (bool)0, L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Security.Cryptography.ICryptoTransform System.Security.Cryptography.TripleDESCryptoServiceProvider::CreateEncryptor(System.Byte[],System.Byte[]) extern TypeInfo* TripleDESTransform_t390189137_il2cpp_TypeInfo_var; extern const uint32_t TripleDESCryptoServiceProvider_CreateEncryptor_m3482969748_MetadataUsageId; extern "C" Il2CppObject * TripleDESCryptoServiceProvider_CreateEncryptor_m3482969748 (TripleDESCryptoServiceProvider_t635698090 * __this, ByteU5BU5D_t58506160* ___rgbKey, ByteU5BU5D_t58506160* ___rgbIV, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (TripleDESCryptoServiceProvider_CreateEncryptor_m3482969748_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___rgbKey; ByteU5BU5D_t58506160* L_1 = ___rgbIV; TripleDESTransform_t390189137 * L_2 = (TripleDESTransform_t390189137 *)il2cpp_codegen_object_new(TripleDESTransform_t390189137_il2cpp_TypeInfo_var); TripleDESTransform__ctor_m3679252923(L_2, __this, (bool)1, L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Void System.Security.Cryptography.TripleDESTransform::.ctor(System.Security.Cryptography.TripleDES,System.Boolean,System.Byte[],System.Byte[]) extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern TypeInfo* DES_t1557551403_il2cpp_TypeInfo_var; extern TypeInfo* DESTransform_t1940497619_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3003891111; extern const uint32_t TripleDESTransform__ctor_m3679252923_MetadataUsageId; extern "C" void TripleDESTransform__ctor_m3679252923 (TripleDESTransform_t390189137 * __this, TripleDES_t3174934509 * ___algo, bool ___encryption, ByteU5BU5D_t58506160* ___key, ByteU5BU5D_t58506160* ___iv, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (TripleDESTransform__ctor_m3679252923_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; ByteU5BU5D_t58506160* V_1 = NULL; ByteU5BU5D_t58506160* V_2 = NULL; ByteU5BU5D_t58506160* V_3 = NULL; DES_t1557551403 * V_4 = NULL; { TripleDES_t3174934509 * L_0 = ___algo; bool L_1 = ___encryption; ByteU5BU5D_t58506160* L_2 = ___iv; SymmetricTransform__ctor_m1475215417(__this, L_0, L_1, L_2, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_3 = ___key; if (L_3) { goto IL_0017; } } { ByteU5BU5D_t58506160* L_4 = TripleDESTransform_GetStrongKey_m101650019(NULL /*static, unused*/, /*hidden argument*/NULL); ___key = L_4; } IL_0017: { ByteU5BU5D_t58506160* L_5 = ___key; bool L_6 = TripleDES_IsWeakKey_m2750070815(NULL /*static, unused*/, L_5, /*hidden argument*/NULL); if (!L_6) { goto IL_0034; } } { String_t* L_7 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral3003891111, /*hidden argument*/NULL); V_0 = L_7; String_t* L_8 = V_0; CryptographicException_t3718270561 * L_9 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_9, L_8, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_0034: { V_1 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)8)); V_2 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)8)); V_3 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)8)); IL2CPP_RUNTIME_CLASS_INIT(DES_t1557551403_il2cpp_TypeInfo_var); DES_t1557551403 * L_10 = DES_Create_m3635864569(NULL /*static, unused*/, /*hidden argument*/NULL); V_4 = L_10; ByteU5BU5D_t58506160* L_11 = ___key; ByteU5BU5D_t58506160* L_12 = V_1; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_11, 0, (Il2CppArray *)(Il2CppArray *)L_12, 0, 8, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_13 = ___key; ByteU5BU5D_t58506160* L_14 = V_2; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_13, 8, (Il2CppArray *)(Il2CppArray *)L_14, 0, 8, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_15 = ___key; NullCheck(L_15); if ((!(((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_15)->max_length))))) == ((uint32_t)((int32_t)16))))) { goto IL_007d; } } { ByteU5BU5D_t58506160* L_16 = ___key; ByteU5BU5D_t58506160* L_17 = V_3; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_16, 0, (Il2CppArray *)(Il2CppArray *)L_17, 0, 8, /*hidden argument*/NULL); goto IL_0088; } IL_007d: { ByteU5BU5D_t58506160* L_18 = ___key; ByteU5BU5D_t58506160* L_19 = V_3; Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_18, ((int32_t)16), (Il2CppArray *)(Il2CppArray *)L_19, 0, 8, /*hidden argument*/NULL); } IL_0088: { bool L_20 = ___encryption; if (L_20) { goto IL_009a; } } { TripleDES_t3174934509 * L_21 = ___algo; NullCheck(L_21); int32_t L_22 = VirtFuncInvoker0< int32_t >::Invoke(16 /* System.Security.Cryptography.CipherMode System.Security.Cryptography.SymmetricAlgorithm::get_Mode() */, L_21); if ((!(((uint32_t)L_22) == ((uint32_t)4)))) { goto IL_00d2; } } IL_009a: { DES_t1557551403 * L_23 = V_4; ByteU5BU5D_t58506160* L_24 = V_1; ByteU5BU5D_t58506160* L_25 = ___iv; DESTransform_t1940497619 * L_26 = (DESTransform_t1940497619 *)il2cpp_codegen_object_new(DESTransform_t1940497619_il2cpp_TypeInfo_var); DESTransform__ctor_m3930717539(L_26, L_23, (bool)1, L_24, L_25, /*hidden argument*/NULL); __this->set_E1_12(L_26); DES_t1557551403 * L_27 = V_4; ByteU5BU5D_t58506160* L_28 = V_2; ByteU5BU5D_t58506160* L_29 = ___iv; DESTransform_t1940497619 * L_30 = (DESTransform_t1940497619 *)il2cpp_codegen_object_new(DESTransform_t1940497619_il2cpp_TypeInfo_var); DESTransform__ctor_m3930717539(L_30, L_27, (bool)0, L_28, L_29, /*hidden argument*/NULL); __this->set_D2_13(L_30); DES_t1557551403 * L_31 = V_4; ByteU5BU5D_t58506160* L_32 = V_3; ByteU5BU5D_t58506160* L_33 = ___iv; DESTransform_t1940497619 * L_34 = (DESTransform_t1940497619 *)il2cpp_codegen_object_new(DESTransform_t1940497619_il2cpp_TypeInfo_var); DESTransform__ctor_m3930717539(L_34, L_31, (bool)1, L_32, L_33, /*hidden argument*/NULL); __this->set_E3_14(L_34); goto IL_0105; } IL_00d2: { DES_t1557551403 * L_35 = V_4; ByteU5BU5D_t58506160* L_36 = V_3; ByteU5BU5D_t58506160* L_37 = ___iv; DESTransform_t1940497619 * L_38 = (DESTransform_t1940497619 *)il2cpp_codegen_object_new(DESTransform_t1940497619_il2cpp_TypeInfo_var); DESTransform__ctor_m3930717539(L_38, L_35, (bool)0, L_36, L_37, /*hidden argument*/NULL); __this->set_D1_15(L_38); DES_t1557551403 * L_39 = V_4; ByteU5BU5D_t58506160* L_40 = V_2; ByteU5BU5D_t58506160* L_41 = ___iv; DESTransform_t1940497619 * L_42 = (DESTransform_t1940497619 *)il2cpp_codegen_object_new(DESTransform_t1940497619_il2cpp_TypeInfo_var); DESTransform__ctor_m3930717539(L_42, L_39, (bool)1, L_40, L_41, /*hidden argument*/NULL); __this->set_E2_16(L_42); DES_t1557551403 * L_43 = V_4; ByteU5BU5D_t58506160* L_44 = V_1; ByteU5BU5D_t58506160* L_45 = ___iv; DESTransform_t1940497619 * L_46 = (DESTransform_t1940497619 *)il2cpp_codegen_object_new(DESTransform_t1940497619_il2cpp_TypeInfo_var); DESTransform__ctor_m3930717539(L_46, L_43, (bool)0, L_44, L_45, /*hidden argument*/NULL); __this->set_D3_17(L_46); } IL_0105: { return; } } // System.Void System.Security.Cryptography.TripleDESTransform::ECB(System.Byte[],System.Byte[]) extern TypeInfo* DESTransform_t1940497619_il2cpp_TypeInfo_var; extern const uint32_t TripleDESTransform_ECB_m1823441441_MetadataUsageId; extern "C" void TripleDESTransform_ECB_m1823441441 (TripleDESTransform_t390189137 * __this, ByteU5BU5D_t58506160* ___input, ByteU5BU5D_t58506160* ___output, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (TripleDESTransform_ECB_m1823441441_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___input; ByteU5BU5D_t58506160* L_1 = ___output; IL2CPP_RUNTIME_CLASS_INIT(DESTransform_t1940497619_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_2 = ((DESTransform_t1940497619_StaticFields*)DESTransform_t1940497619_il2cpp_TypeInfo_var->static_fields)->get_ipTab_23(); DESTransform_Permutation_m2822081834(NULL /*static, unused*/, L_0, L_1, L_2, (bool)0, /*hidden argument*/NULL); bool L_3 = ((SymmetricTransform_t3854241866 *)__this)->get_encrypt_1(); if (!L_3) { goto IL_0044; } } { DESTransform_t1940497619 * L_4 = __this->get_E1_12(); ByteU5BU5D_t58506160* L_5 = ___output; ByteU5BU5D_t58506160* L_6 = ___output; NullCheck(L_4); DESTransform_ProcessBlock_m2076172049(L_4, L_5, L_6, /*hidden argument*/NULL); DESTransform_t1940497619 * L_7 = __this->get_D2_13(); ByteU5BU5D_t58506160* L_8 = ___output; ByteU5BU5D_t58506160* L_9 = ___output; NullCheck(L_7); DESTransform_ProcessBlock_m2076172049(L_7, L_8, L_9, /*hidden argument*/NULL); DESTransform_t1940497619 * L_10 = __this->get_E3_14(); ByteU5BU5D_t58506160* L_11 = ___output; ByteU5BU5D_t58506160* L_12 = ___output; NullCheck(L_10); DESTransform_ProcessBlock_m2076172049(L_10, L_11, L_12, /*hidden argument*/NULL); goto IL_006b; } IL_0044: { DESTransform_t1940497619 * L_13 = __this->get_D1_15(); ByteU5BU5D_t58506160* L_14 = ___output; ByteU5BU5D_t58506160* L_15 = ___output; NullCheck(L_13); DESTransform_ProcessBlock_m2076172049(L_13, L_14, L_15, /*hidden argument*/NULL); DESTransform_t1940497619 * L_16 = __this->get_E2_16(); ByteU5BU5D_t58506160* L_17 = ___output; ByteU5BU5D_t58506160* L_18 = ___output; NullCheck(L_16); DESTransform_ProcessBlock_m2076172049(L_16, L_17, L_18, /*hidden argument*/NULL); DESTransform_t1940497619 * L_19 = __this->get_D3_17(); ByteU5BU5D_t58506160* L_20 = ___output; ByteU5BU5D_t58506160* L_21 = ___output; NullCheck(L_19); DESTransform_ProcessBlock_m2076172049(L_19, L_20, L_21, /*hidden argument*/NULL); } IL_006b: { ByteU5BU5D_t58506160* L_22 = ___output; ByteU5BU5D_t58506160* L_23 = ___output; IL2CPP_RUNTIME_CLASS_INIT(DESTransform_t1940497619_il2cpp_TypeInfo_var); UInt32U5BU5D_t2133601851* L_24 = ((DESTransform_t1940497619_StaticFields*)DESTransform_t1940497619_il2cpp_TypeInfo_var->static_fields)->get_fpTab_24(); DESTransform_Permutation_m2822081834(NULL /*static, unused*/, L_22, L_23, L_24, (bool)1, /*hidden argument*/NULL); return; } } // System.Byte[] System.Security.Cryptography.TripleDESTransform::GetStrongKey() extern TypeInfo* DESTransform_t1940497619_il2cpp_TypeInfo_var; extern const uint32_t TripleDESTransform_GetStrongKey_m101650019_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* TripleDESTransform_GetStrongKey_m101650019 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (TripleDESTransform_GetStrongKey_m101650019_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; ByteU5BU5D_t58506160* V_1 = NULL; { IL2CPP_RUNTIME_CLASS_INIT(DESTransform_t1940497619_il2cpp_TypeInfo_var); int32_t L_0 = ((DESTransform_t1940497619_StaticFields*)DESTransform_t1940497619_il2cpp_TypeInfo_var->static_fields)->get_BLOCK_BYTE_SIZE_15(); V_0 = ((int32_t)((int32_t)L_0*(int32_t)3)); int32_t L_1 = V_0; ByteU5BU5D_t58506160* L_2 = KeyBuilder_Key_m180785233(NULL /*static, unused*/, L_1, /*hidden argument*/NULL); V_1 = L_2; goto IL_001b; } IL_0014: { int32_t L_3 = V_0; ByteU5BU5D_t58506160* L_4 = KeyBuilder_Key_m180785233(NULL /*static, unused*/, L_3, /*hidden argument*/NULL); V_1 = L_4; } IL_001b: { ByteU5BU5D_t58506160* L_5 = V_1; bool L_6 = TripleDES_IsWeakKey_m2750070815(NULL /*static, unused*/, L_5, /*hidden argument*/NULL); if (L_6) { goto IL_0014; } } { ByteU5BU5D_t58506160* L_7 = V_1; return L_7; } } // System.Void System.Security.Cryptography.X509Certificates.X509Certificate::.ctor(System.Byte[],System.Boolean) extern "C" void X509Certificate__ctor_m1909610000 (X509Certificate_t3432067208 * __this, ByteU5BU5D_t58506160* ___data, bool ___dates, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_0 = ___data; if (!L_0) { goto IL_001f; } } { ByteU5BU5D_t58506160* L_1 = ___data; VirtActionInvoker3< ByteU5BU5D_t58506160*, String_t*, int32_t >::Invoke(16 /* System.Void System.Security.Cryptography.X509Certificates.X509Certificate::Import(System.Byte[],System.String,System.Security.Cryptography.X509Certificates.X509KeyStorageFlags) */, __this, L_1, (String_t*)NULL, 0); bool L_2 = ___dates; __this->set_hideDates_1((bool)((((int32_t)L_2) == ((int32_t)0))? 1 : 0)); } IL_001f: { return; } } // System.Void System.Security.Cryptography.X509Certificates.X509Certificate::.ctor(System.Byte[]) extern "C" void X509Certificate__ctor_m3185150413 (X509Certificate_t3432067208 * __this, ByteU5BU5D_t58506160* ___data, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = ___data; X509Certificate__ctor_m1909610000(__this, L_0, (bool)1, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.X509Certificates.X509Certificate::.ctor() extern "C" void X509Certificate__ctor_m2228518780 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Cryptography.X509Certificates.X509Certificate::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) extern const Il2CppType* ByteU5BU5D_t58506160_0_0_0_var; extern TypeInfo* Type_t_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2649907154; extern const uint32_t X509Certificate__ctor_m1187024573_MetadataUsageId; extern "C" void X509Certificate__ctor_m1187024573 (X509Certificate_t3432067208 * __this, SerializationInfo_t2995724695 * ___info, StreamingContext_t986364934 ___context, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate__ctor_m1187024573_MetadataUsageId); s_Il2CppMethodIntialized = true; } ByteU5BU5D_t58506160* V_0 = NULL; { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_0 = ___info; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_1 = Type_GetTypeFromHandle_m3806905434(NULL /*static, unused*/, LoadTypeToken(ByteU5BU5D_t58506160_0_0_0_var), /*hidden argument*/NULL); NullCheck(L_0); Il2CppObject * L_2 = SerializationInfo_GetValue_m4125471336(L_0, _stringLiteral2649907154, L_1, /*hidden argument*/NULL); V_0 = ((ByteU5BU5D_t58506160*)Castclass(L_2, ByteU5BU5D_t58506160_il2cpp_TypeInfo_var)); ByteU5BU5D_t58506160* L_3 = V_0; VirtActionInvoker3< ByteU5BU5D_t58506160*, String_t*, int32_t >::Invoke(16 /* System.Void System.Security.Cryptography.X509Certificates.X509Certificate::Import(System.Byte[],System.String,System.Security.Cryptography.X509Certificates.X509KeyStorageFlags) */, __this, L_3, (String_t*)NULL, 0); return; } } // System.Void System.Security.Cryptography.X509Certificates.X509Certificate::System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(System.Object) extern "C" void X509Certificate_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m755168634 (X509Certificate_t3432067208 * __this, Il2CppObject * ___sender, const MethodInfo* method) { { return; } } // System.Void System.Security.Cryptography.X509Certificates.X509Certificate::System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) extern Il2CppCodeGenString* _stringLiteral2649907154; extern const uint32_t X509Certificate_System_Runtime_Serialization_ISerializable_GetObjectData_m2406201743_MetadataUsageId; extern "C" void X509Certificate_System_Runtime_Serialization_ISerializable_GetObjectData_m2406201743 (X509Certificate_t3432067208 * __this, SerializationInfo_t2995724695 * ___info, StreamingContext_t986364934 ___context, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_System_Runtime_Serialization_ISerializable_GetObjectData_m2406201743_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SerializationInfo_t2995724695 * L_0 = ___info; X509Certificate_t273828612 * L_1 = __this->get_x509_0(); NullCheck(L_1); ByteU5BU5D_t58506160* L_2 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(8 /* System.Byte[] Mono.Security.X509.X509Certificate::get_RawData() */, L_1); NullCheck(L_0); SerializationInfo_AddValue_m469120675(L_0, _stringLiteral2649907154, (Il2CppObject *)(Il2CppObject *)L_2, /*hidden argument*/NULL); return; } } // System.String System.Security.Cryptography.X509Certificates.X509Certificate::tostr(System.Byte[]) extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2778; extern const uint32_t X509Certificate_tostr_m1883898870_MetadataUsageId; extern "C" String_t* X509Certificate_tostr_m1883898870 (X509Certificate_t3432067208 * __this, ByteU5BU5D_t58506160* ___data, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_tostr_m1883898870_MetadataUsageId); s_Il2CppMethodIntialized = true; } StringBuilder_t3822575854 * V_0 = NULL; int32_t V_1 = 0; { ByteU5BU5D_t58506160* L_0 = ___data; if (!L_0) { goto IL_003f; } } { StringBuilder_t3822575854 * L_1 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m135953004(L_1, /*hidden argument*/NULL); V_0 = L_1; V_1 = 0; goto IL_002f; } IL_0013: { StringBuilder_t3822575854 * L_2 = V_0; ByteU5BU5D_t58506160* L_3 = ___data; int32_t L_4 = V_1; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, L_4); String_t* L_5 = Byte_ToString_m3965014306(((L_3)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_4))), _stringLiteral2778, /*hidden argument*/NULL); NullCheck(L_2); StringBuilder_Append_m3898090075(L_2, L_5, /*hidden argument*/NULL); int32_t L_6 = V_1; V_1 = ((int32_t)((int32_t)L_6+(int32_t)1)); } IL_002f: { int32_t L_7 = V_1; ByteU5BU5D_t58506160* L_8 = ___data; NullCheck(L_8); if ((((int32_t)L_7) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_8)->max_length))))))) { goto IL_0013; } } { StringBuilder_t3822575854 * L_9 = V_0; NullCheck(L_9); String_t* L_10 = StringBuilder_ToString_m350379841(L_9, /*hidden argument*/NULL); return L_10; } IL_003f: { return (String_t*)NULL; } } // System.Boolean System.Security.Cryptography.X509Certificates.X509Certificate::Equals(System.Security.Cryptography.X509Certificates.X509Certificate) extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1637962677; extern const uint32_t X509Certificate_Equals_m2510910421_MetadataUsageId; extern "C" bool X509Certificate_Equals_m2510910421 (X509Certificate_t3432067208 * __this, X509Certificate_t3432067208 * ___other, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_Equals_m2510910421_MetadataUsageId); s_Il2CppMethodIntialized = true; } ByteU5BU5D_t58506160* V_0 = NULL; int32_t V_1 = 0; int32_t G_B22_0 = 0; { X509Certificate_t3432067208 * L_0 = ___other; if (L_0) { goto IL_0008; } } { return (bool)0; } IL_0008: { X509Certificate_t3432067208 * L_1 = ___other; NullCheck(L_1); X509Certificate_t273828612 * L_2 = L_1->get_x509_0(); if (L_2) { goto IL_0030; } } { X509Certificate_t273828612 * L_3 = __this->get_x509_0(); if (L_3) { goto IL_0020; } } { return (bool)1; } IL_0020: { String_t* L_4 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1637962677, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_5 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0030: { X509Certificate_t3432067208 * L_6 = ___other; NullCheck(L_6); X509Certificate_t273828612 * L_7 = L_6->get_x509_0(); NullCheck(L_7); ByteU5BU5D_t58506160* L_8 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(8 /* System.Byte[] Mono.Security.X509.X509Certificate::get_RawData() */, L_7); V_0 = L_8; ByteU5BU5D_t58506160* L_9 = V_0; if (!L_9) { goto IL_00a5; } } { X509Certificate_t273828612 * L_10 = __this->get_x509_0(); if (L_10) { goto IL_004f; } } { return (bool)0; } IL_004f: { X509Certificate_t273828612 * L_11 = __this->get_x509_0(); NullCheck(L_11); ByteU5BU5D_t58506160* L_12 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(8 /* System.Byte[] Mono.Security.X509.X509Certificate::get_RawData() */, L_11); if (L_12) { goto IL_0061; } } { return (bool)0; } IL_0061: { ByteU5BU5D_t58506160* L_13 = V_0; NullCheck(L_13); X509Certificate_t273828612 * L_14 = __this->get_x509_0(); NullCheck(L_14); ByteU5BU5D_t58506160* L_15 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(8 /* System.Byte[] Mono.Security.X509.X509Certificate::get_RawData() */, L_14); NullCheck(L_15); if ((!(((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_13)->max_length))))) == ((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_15)->max_length)))))))) { goto IL_00a3; } } { V_1 = 0; goto IL_0098; } IL_007d: { ByteU5BU5D_t58506160* L_16 = V_0; int32_t L_17 = V_1; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, L_17); int32_t L_18 = L_17; X509Certificate_t273828612 * L_19 = __this->get_x509_0(); NullCheck(L_19); ByteU5BU5D_t58506160* L_20 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(8 /* System.Byte[] Mono.Security.X509.X509Certificate::get_RawData() */, L_19); int32_t L_21 = V_1; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, L_21); int32_t L_22 = L_21; if ((((int32_t)((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_18)))) == ((int32_t)((L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_22)))))) { goto IL_0094; } } { return (bool)0; } IL_0094: { int32_t L_23 = V_1; V_1 = ((int32_t)((int32_t)L_23+(int32_t)1)); } IL_0098: { int32_t L_24 = V_1; ByteU5BU5D_t58506160* L_25 = V_0; NullCheck(L_25); if ((((int32_t)L_24) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_25)->max_length))))))) { goto IL_007d; } } { return (bool)1; } IL_00a3: { return (bool)0; } IL_00a5: { X509Certificate_t273828612 * L_26 = __this->get_x509_0(); if (!L_26) { goto IL_00c0; } } { X509Certificate_t273828612 * L_27 = __this->get_x509_0(); NullCheck(L_27); ByteU5BU5D_t58506160* L_28 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(8 /* System.Byte[] Mono.Security.X509.X509Certificate::get_RawData() */, L_27); G_B22_0 = ((((Il2CppObject*)(ByteU5BU5D_t58506160*)L_28) == ((Il2CppObject*)(Il2CppObject *)NULL))? 1 : 0); goto IL_00c1; } IL_00c0: { G_B22_0 = 1; } IL_00c1: { return (bool)G_B22_0; } } // System.Byte[] System.Security.Cryptography.X509Certificates.X509Certificate::GetCertHash() extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1637962677; extern const uint32_t X509Certificate_GetCertHash_m2872779852_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* X509Certificate_GetCertHash_m2872779852 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_GetCertHash_m2872779852_MetadataUsageId); s_Il2CppMethodIntialized = true; } SHA1_t1560027742 * V_0 = NULL; { X509Certificate_t273828612 * L_0 = __this->get_x509_0(); if (L_0) { goto IL_001b; } } { String_t* L_1 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1637962677, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_2 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001b: { ByteU5BU5D_t58506160* L_3 = __this->get_cachedCertificateHash_2(); if (L_3) { goto IL_004e; } } { X509Certificate_t273828612 * L_4 = __this->get_x509_0(); if (!L_4) { goto IL_004e; } } { SHA1_t1560027742 * L_5 = SHA1_Create_m2764862537(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = L_5; SHA1_t1560027742 * L_6 = V_0; X509Certificate_t273828612 * L_7 = __this->get_x509_0(); NullCheck(L_7); ByteU5BU5D_t58506160* L_8 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(8 /* System.Byte[] Mono.Security.X509.X509Certificate::get_RawData() */, L_7); NullCheck(L_6); ByteU5BU5D_t58506160* L_9 = HashAlgorithm_ComputeHash_m1325366732(L_6, L_8, /*hidden argument*/NULL); __this->set_cachedCertificateHash_2(L_9); } IL_004e: { ByteU5BU5D_t58506160* L_10 = __this->get_cachedCertificateHash_2(); return L_10; } } // System.String System.Security.Cryptography.X509Certificates.X509Certificate::GetCertHashString() extern "C" String_t* X509Certificate_GetCertHashString_m539795190 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(7 /* System.Byte[] System.Security.Cryptography.X509Certificates.X509Certificate::GetCertHash() */, __this); String_t* L_1 = X509Certificate_tostr_m1883898870(__this, L_0, /*hidden argument*/NULL); return L_1; } } // System.String System.Security.Cryptography.X509Certificates.X509Certificate::GetEffectiveDateString() extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1637962677; extern const uint32_t X509Certificate_GetEffectiveDateString_m523012725_MetadataUsageId; extern "C" String_t* X509Certificate_GetEffectiveDateString_m523012725 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_GetEffectiveDateString_m523012725_MetadataUsageId); s_Il2CppMethodIntialized = true; } DateTime_t339033936 V_0; memset(&V_0, 0, sizeof(V_0)); DateTime_t339033936 V_1; memset(&V_1, 0, sizeof(V_1)); { bool L_0 = __this->get_hideDates_1(); if (!L_0) { goto IL_000d; } } { return (String_t*)NULL; } IL_000d: { X509Certificate_t273828612 * L_1 = __this->get_x509_0(); if (L_1) { goto IL_0028; } } { String_t* L_2 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1637962677, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_3 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0028: { X509Certificate_t273828612 * L_4 = __this->get_x509_0(); NullCheck(L_4); DateTime_t339033936 L_5 = VirtFuncInvoker0< DateTime_t339033936 >::Invoke(10 /* System.DateTime Mono.Security.X509.X509Certificate::get_ValidFrom() */, L_4); V_0 = L_5; DateTime_t339033936 L_6 = DateTime_ToLocalTime_m3629183118((&V_0), /*hidden argument*/NULL); V_1 = L_6; String_t* L_7 = DateTime_ToString_m3221907059((&V_1), /*hidden argument*/NULL); return L_7; } } // System.String System.Security.Cryptography.X509Certificates.X509Certificate::GetExpirationDateString() extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1637962677; extern const uint32_t X509Certificate_GetExpirationDateString_m1866410017_MetadataUsageId; extern "C" String_t* X509Certificate_GetExpirationDateString_m1866410017 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_GetExpirationDateString_m1866410017_MetadataUsageId); s_Il2CppMethodIntialized = true; } DateTime_t339033936 V_0; memset(&V_0, 0, sizeof(V_0)); DateTime_t339033936 V_1; memset(&V_1, 0, sizeof(V_1)); { bool L_0 = __this->get_hideDates_1(); if (!L_0) { goto IL_000d; } } { return (String_t*)NULL; } IL_000d: { X509Certificate_t273828612 * L_1 = __this->get_x509_0(); if (L_1) { goto IL_0028; } } { String_t* L_2 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1637962677, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_3 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0028: { X509Certificate_t273828612 * L_4 = __this->get_x509_0(); NullCheck(L_4); DateTime_t339033936 L_5 = VirtFuncInvoker0< DateTime_t339033936 >::Invoke(11 /* System.DateTime Mono.Security.X509.X509Certificate::get_ValidUntil() */, L_4); V_0 = L_5; DateTime_t339033936 L_6 = DateTime_ToLocalTime_m3629183118((&V_0), /*hidden argument*/NULL); V_1 = L_6; String_t* L_7 = DateTime_ToString_m3221907059((&V_1), /*hidden argument*/NULL); return L_7; } } // System.Int32 System.Security.Cryptography.X509Certificates.X509Certificate::GetHashCode() extern "C" int32_t X509Certificate_GetHashCode_m1423591751 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { { X509Certificate_t273828612 * L_0 = __this->get_x509_0(); if (L_0) { goto IL_000d; } } { return 0; } IL_000d: { ByteU5BU5D_t58506160* L_1 = __this->get_cachedCertificateHash_2(); if (L_1) { goto IL_001f; } } { VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(7 /* System.Byte[] System.Security.Cryptography.X509Certificates.X509Certificate::GetCertHash() */, __this); } IL_001f: { ByteU5BU5D_t58506160* L_2 = __this->get_cachedCertificateHash_2(); if (!L_2) { goto IL_0064; } } { ByteU5BU5D_t58506160* L_3 = __this->get_cachedCertificateHash_2(); NullCheck(L_3); if ((((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_3)->max_length))))) < ((int32_t)4))) { goto IL_0064; } } { ByteU5BU5D_t58506160* L_4 = __this->get_cachedCertificateHash_2(); NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 0); int32_t L_5 = 0; ByteU5BU5D_t58506160* L_6 = __this->get_cachedCertificateHash_2(); NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 1); int32_t L_7 = 1; ByteU5BU5D_t58506160* L_8 = __this->get_cachedCertificateHash_2(); NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, 2); int32_t L_9 = 2; ByteU5BU5D_t58506160* L_10 = __this->get_cachedCertificateHash_2(); NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 3); int32_t L_11 = 3; return ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_5)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_7)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_9)))<<(int32_t)8))))|(int32_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_11))))); } IL_0064: { return 0; } } // System.String System.Security.Cryptography.X509Certificates.X509Certificate::GetIssuerName() extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1637962677; extern const uint32_t X509Certificate_GetIssuerName_m1001053335_MetadataUsageId; extern "C" String_t* X509Certificate_GetIssuerName_m1001053335 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_GetIssuerName_m1001053335_MetadataUsageId); s_Il2CppMethodIntialized = true; } { X509Certificate_t273828612 * L_0 = __this->get_x509_0(); if (L_0) { goto IL_001b; } } { String_t* L_1 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1637962677, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_2 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001b: { X509Certificate_t273828612 * L_3 = __this->get_x509_0(); NullCheck(L_3); String_t* L_4 = VirtFuncInvoker0< String_t* >::Invoke(5 /* System.String Mono.Security.X509.X509Certificate::get_IssuerName() */, L_3); return L_4; } } // System.String System.Security.Cryptography.X509Certificates.X509Certificate::GetName() extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1637962677; extern const uint32_t X509Certificate_GetName_m2736019966_MetadataUsageId; extern "C" String_t* X509Certificate_GetName_m2736019966 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_GetName_m2736019966_MetadataUsageId); s_Il2CppMethodIntialized = true; } { X509Certificate_t273828612 * L_0 = __this->get_x509_0(); if (L_0) { goto IL_001b; } } { String_t* L_1 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1637962677, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_2 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001b: { X509Certificate_t273828612 * L_3 = __this->get_x509_0(); NullCheck(L_3); String_t* L_4 = VirtFuncInvoker0< String_t* >::Invoke(9 /* System.String Mono.Security.X509.X509Certificate::get_SubjectName() */, L_3); return L_4; } } // System.Byte[] System.Security.Cryptography.X509Certificates.X509Certificate::GetPublicKey() extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1637962677; extern const uint32_t X509Certificate_GetPublicKey_m3757092702_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* X509Certificate_GetPublicKey_m3757092702 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_GetPublicKey_m3757092702_MetadataUsageId); s_Il2CppMethodIntialized = true; } { X509Certificate_t273828612 * L_0 = __this->get_x509_0(); if (L_0) { goto IL_001b; } } { String_t* L_1 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1637962677, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_2 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001b: { X509Certificate_t273828612 * L_3 = __this->get_x509_0(); NullCheck(L_3); ByteU5BU5D_t58506160* L_4 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(7 /* System.Byte[] Mono.Security.X509.X509Certificate::get_PublicKey() */, L_3); return L_4; } } // System.Byte[] System.Security.Cryptography.X509Certificates.X509Certificate::GetRawCertData() extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1637962677; extern const uint32_t X509Certificate_GetRawCertData_m86483614_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* X509Certificate_GetRawCertData_m86483614 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_GetRawCertData_m86483614_MetadataUsageId); s_Il2CppMethodIntialized = true; } { X509Certificate_t273828612 * L_0 = __this->get_x509_0(); if (L_0) { goto IL_001b; } } { String_t* L_1 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1637962677, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_2 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001b: { X509Certificate_t273828612 * L_3 = __this->get_x509_0(); NullCheck(L_3); ByteU5BU5D_t58506160* L_4 = VirtFuncInvoker0< ByteU5BU5D_t58506160* >::Invoke(8 /* System.Byte[] Mono.Security.X509.X509Certificate::get_RawData() */, L_3); return L_4; } } // System.String System.Security.Cryptography.X509Certificates.X509Certificate::ToString() extern "C" String_t* X509Certificate_ToString_m2228422065 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { { String_t* L_0 = Object_ToString_m2286807767(__this, /*hidden argument*/NULL); return L_0; } } // System.String System.Security.Cryptography.X509Certificates.X509Certificate::ToString(System.Boolean) extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral457129483; extern Il2CppCodeGenString* _stringLiteral2307667208; extern Il2CppCodeGenString* _stringLiteral4009092949; extern Il2CppCodeGenString* _stringLiteral627949544; extern Il2CppCodeGenString* _stringLiteral4283060318; extern const uint32_t X509Certificate_ToString_m2210492776_MetadataUsageId; extern "C" String_t* X509Certificate_ToString_m2210492776 (X509Certificate_t3432067208 * __this, bool ___fVerbose, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_ToString_m2210492776_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; StringBuilder_t3822575854 * V_1 = NULL; { bool L_0 = ___fVerbose; if (!L_0) { goto IL_0011; } } { X509Certificate_t273828612 * L_1 = __this->get_x509_0(); if (L_1) { goto IL_0018; } } IL_0011: { String_t* L_2 = Object_ToString_m2286807767(__this, /*hidden argument*/NULL); return L_2; } IL_0018: { String_t* L_3 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = L_3; StringBuilder_t3822575854 * L_4 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m135953004(L_4, /*hidden argument*/NULL); V_1 = L_4; StringBuilder_t3822575854 * L_5 = V_1; String_t* L_6 = V_0; String_t* L_7 = X509Certificate_get_Subject_m4012979648(__this, /*hidden argument*/NULL); NullCheck(L_5); StringBuilder_AppendFormat_m3487355136(L_5, _stringLiteral457129483, L_6, L_7, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_8 = V_1; String_t* L_9 = V_0; String_t* L_10 = X509Certificate_get_Issuer_m681285767(__this, /*hidden argument*/NULL); NullCheck(L_8); StringBuilder_AppendFormat_m3487355136(L_8, _stringLiteral2307667208, L_9, L_10, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_11 = V_1; String_t* L_12 = V_0; String_t* L_13 = VirtFuncInvoker0< String_t* >::Invoke(9 /* System.String System.Security.Cryptography.X509Certificates.X509Certificate::GetEffectiveDateString() */, __this); NullCheck(L_11); StringBuilder_AppendFormat_m3487355136(L_11, _stringLiteral4009092949, L_12, L_13, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_14 = V_1; String_t* L_15 = V_0; String_t* L_16 = VirtFuncInvoker0< String_t* >::Invoke(10 /* System.String System.Security.Cryptography.X509Certificates.X509Certificate::GetExpirationDateString() */, __this); NullCheck(L_14); StringBuilder_AppendFormat_m3487355136(L_14, _stringLiteral627949544, L_15, L_16, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_17 = V_1; String_t* L_18 = V_0; String_t* L_19 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Security.Cryptography.X509Certificates.X509Certificate::GetCertHashString() */, __this); NullCheck(L_17); StringBuilder_AppendFormat_m3487355136(L_17, _stringLiteral4283060318, L_18, L_19, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_20 = V_1; String_t* L_21 = V_0; NullCheck(L_20); StringBuilder_Append_m3898090075(L_20, L_21, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_22 = V_1; NullCheck(L_22); String_t* L_23 = StringBuilder_ToString_m350379841(L_22, /*hidden argument*/NULL); return L_23; } } // System.String System.Security.Cryptography.X509Certificates.X509Certificate::get_Issuer() extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern TypeInfo* X501_t591126673_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1637962677; extern Il2CppCodeGenString* _stringLiteral1396; extern const uint32_t X509Certificate_get_Issuer_m681285767_MetadataUsageId; extern "C" String_t* X509Certificate_get_Issuer_m681285767 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_get_Issuer_m681285767_MetadataUsageId); s_Il2CppMethodIntialized = true; } { X509Certificate_t273828612 * L_0 = __this->get_x509_0(); if (L_0) { goto IL_001b; } } { String_t* L_1 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1637962677, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_2 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001b: { String_t* L_3 = __this->get_issuer_name_3(); if (L_3) { goto IL_0043; } } { X509Certificate_t273828612 * L_4 = __this->get_x509_0(); NullCheck(L_4); ASN1_t1254135646 * L_5 = X509Certificate_GetIssuerName_m3616837067(L_4, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(X501_t591126673_il2cpp_TypeInfo_var); String_t* L_6 = X501_ToString_m823511368(NULL /*static, unused*/, L_5, (bool)1, _stringLiteral1396, (bool)1, /*hidden argument*/NULL); __this->set_issuer_name_3(L_6); } IL_0043: { String_t* L_7 = __this->get_issuer_name_3(); return L_7; } } // System.String System.Security.Cryptography.X509Certificates.X509Certificate::get_Subject() extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern TypeInfo* X501_t591126673_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1637962677; extern Il2CppCodeGenString* _stringLiteral1396; extern const uint32_t X509Certificate_get_Subject_m4012979648_MetadataUsageId; extern "C" String_t* X509Certificate_get_Subject_m4012979648 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_get_Subject_m4012979648_MetadataUsageId); s_Il2CppMethodIntialized = true; } { X509Certificate_t273828612 * L_0 = __this->get_x509_0(); if (L_0) { goto IL_001b; } } { String_t* L_1 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1637962677, /*hidden argument*/NULL); CryptographicException_t3718270561 * L_2 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2400722889(L_2, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001b: { String_t* L_3 = __this->get_subject_name_4(); if (L_3) { goto IL_0043; } } { X509Certificate_t273828612 * L_4 = __this->get_x509_0(); NullCheck(L_4); ASN1_t1254135646 * L_5 = X509Certificate_GetSubjectName_m3155263730(L_4, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(X501_t591126673_il2cpp_TypeInfo_var); String_t* L_6 = X501_ToString_m823511368(NULL /*static, unused*/, L_5, (bool)1, _stringLiteral1396, (bool)1, /*hidden argument*/NULL); __this->set_subject_name_4(L_6); } IL_0043: { String_t* L_7 = __this->get_subject_name_4(); return L_7; } } // System.Boolean System.Security.Cryptography.X509Certificates.X509Certificate::Equals(System.Object) extern TypeInfo* X509Certificate_t3432067208_il2cpp_TypeInfo_var; extern const uint32_t X509Certificate_Equals_m2965547631_MetadataUsageId; extern "C" bool X509Certificate_Equals_m2965547631 (X509Certificate_t3432067208 * __this, Il2CppObject * ___obj, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_Equals_m2965547631_MetadataUsageId); s_Il2CppMethodIntialized = true; } X509Certificate_t3432067208 * V_0 = NULL; { Il2CppObject * L_0 = ___obj; V_0 = ((X509Certificate_t3432067208 *)IsInstClass(L_0, X509Certificate_t3432067208_il2cpp_TypeInfo_var)); X509Certificate_t3432067208 * L_1 = V_0; if (!L_1) { goto IL_0015; } } { X509Certificate_t3432067208 * L_2 = V_0; bool L_3 = VirtFuncInvoker1< bool, X509Certificate_t3432067208 * >::Invoke(6 /* System.Boolean System.Security.Cryptography.X509Certificates.X509Certificate::Equals(System.Security.Cryptography.X509Certificates.X509Certificate) */, __this, L_2); return L_3; } IL_0015: { return (bool)0; } } // System.Void System.Security.Cryptography.X509Certificates.X509Certificate::Import(System.Byte[],System.String,System.Security.Cryptography.X509Certificates.X509KeyStorageFlags) extern TypeInfo* X509Certificate_t273828612_il2cpp_TypeInfo_var; extern TypeInfo* Exception_t1967233988_il2cpp_TypeInfo_var; extern TypeInfo* PKCS12_t2950126079_il2cpp_TypeInfo_var; extern TypeInfo* Il2CppObject_il2cpp_TypeInfo_var; extern TypeInfo* CryptographicException_t3718270561_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1992575089; extern const uint32_t X509Certificate_Import_m2045724600_MetadataUsageId; extern "C" void X509Certificate_Import_m2045724600 (X509Certificate_t3432067208 * __this, ByteU5BU5D_t58506160* ___rawData, String_t* ___password, int32_t ___keyStorageFlags, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (X509Certificate_Import_m2045724600_MetadataUsageId); s_Il2CppMethodIntialized = true; } Exception_t1967233988 * V_0 = NULL; PKCS12_t2950126079 * V_1 = NULL; String_t* V_2 = NULL; PKCS12_t2950126079 * V_3 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { VirtActionInvoker0::Invoke(17 /* System.Void System.Security.Cryptography.X509Certificates.X509Certificate::Reset() */, __this); String_t* L_0 = ___password; if (L_0) { goto IL_007c; } } IL_000c: try { // begin try (depth: 1) ByteU5BU5D_t58506160* L_1 = ___rawData; X509Certificate_t273828612 * L_2 = (X509Certificate_t273828612 *)il2cpp_codegen_object_new(X509Certificate_t273828612_il2cpp_TypeInfo_var); X509Certificate__ctor_m3212421763(L_2, L_1, /*hidden argument*/NULL); __this->set_x509_0(L_2); goto IL_0077; } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (Exception_t1967233988_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_001d; throw e; } CATCH_001d: { // begin catch(System.Exception) { V_0 = ((Exception_t1967233988 *)__exception_local); } IL_001e: try { // begin try (depth: 2) { ByteU5BU5D_t58506160* L_3 = ___rawData; PKCS12_t2950126079 * L_4 = (PKCS12_t2950126079 *)il2cpp_codegen_object_new(PKCS12_t2950126079_il2cpp_TypeInfo_var); PKCS12__ctor_m3690240934(L_4, L_3, /*hidden argument*/NULL); V_1 = L_4; PKCS12_t2950126079 * L_5 = V_1; NullCheck(L_5); X509CertificateCollection_t3336811650 * L_6 = PKCS12_get_Certificates_m3935451749(L_5, /*hidden argument*/NULL); NullCheck(L_6); int32_t L_7 = VirtFuncInvoker0< int32_t >::Invoke(5 /* System.Int32 System.Collections.CollectionBase::get_Count() */, L_6); if ((((int32_t)L_7) <= ((int32_t)0))) { goto IL_004d; } } IL_0036: { PKCS12_t2950126079 * L_8 = V_1; NullCheck(L_8); X509CertificateCollection_t3336811650 * L_9 = PKCS12_get_Certificates_m3935451749(L_8, /*hidden argument*/NULL); NullCheck(L_9); X509Certificate_t273828612 * L_10 = X509CertificateCollection_get_Item_m1700022920(L_9, 0, /*hidden argument*/NULL); __this->set_x509_0(L_10); goto IL_0054; } IL_004d: { __this->set_x509_0((X509Certificate_t273828612 *)NULL); } IL_0054: { goto IL_0072; } } // end try (depth: 2) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (Il2CppObject_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_0059; throw e; } CATCH_0059: { // begin catch(System.Object) { String_t* L_11 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1992575089, /*hidden argument*/NULL); V_2 = L_11; String_t* L_12 = V_2; Exception_t1967233988 * L_13 = V_0; CryptographicException_t3718270561 * L_14 = (CryptographicException_t3718270561 *)il2cpp_codegen_object_new(CryptographicException_t3718270561_il2cpp_TypeInfo_var); CryptographicException__ctor_m2542276749(L_14, L_12, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006d: { goto IL_0072; } } // end catch (depth: 2) IL_0072: { goto IL_0077; } } // end catch (depth: 1) IL_0077: { goto IL_00ca; } IL_007c: try { // begin try (depth: 1) { ByteU5BU5D_t58506160* L_15 = ___rawData; String_t* L_16 = ___password; PKCS12_t2950126079 * L_17 = (PKCS12_t2950126079 *)il2cpp_codegen_object_new(PKCS12_t2950126079_il2cpp_TypeInfo_var); PKCS12__ctor_m252275042(L_17, L_15, L_16, /*hidden argument*/NULL); V_3 = L_17; PKCS12_t2950126079 * L_18 = V_3; NullCheck(L_18); X509CertificateCollection_t3336811650 * L_19 = PKCS12_get_Certificates_m3935451749(L_18, /*hidden argument*/NULL); NullCheck(L_19); int32_t L_20 = VirtFuncInvoker0< int32_t >::Invoke(5 /* System.Int32 System.Collections.CollectionBase::get_Count() */, L_19); if ((((int32_t)L_20) <= ((int32_t)0))) { goto IL_00ac; } } IL_0095: { PKCS12_t2950126079 * L_21 = V_3; NullCheck(L_21); X509CertificateCollection_t3336811650 * L_22 = PKCS12_get_Certificates_m3935451749(L_21, /*hidden argument*/NULL); NullCheck(L_22); X509Certificate_t273828612 * L_23 = X509CertificateCollection_get_Item_m1700022920(L_22, 0, /*hidden argument*/NULL); __this->set_x509_0(L_23); goto IL_00b3; } IL_00ac: { __this->set_x509_0((X509Certificate_t273828612 *)NULL); } IL_00b3: { goto IL_00ca; } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (Il2CppObject_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_00b8; throw e; } CATCH_00b8: { // begin catch(System.Object) ByteU5BU5D_t58506160* L_24 = ___rawData; X509Certificate_t273828612 * L_25 = (X509Certificate_t273828612 *)il2cpp_codegen_object_new(X509Certificate_t273828612_il2cpp_TypeInfo_var); X509Certificate__ctor_m3212421763(L_25, L_24, /*hidden argument*/NULL); __this->set_x509_0(L_25); goto IL_00ca; } // end catch (depth: 1) IL_00ca: { return; } } // System.Void System.Security.Cryptography.X509Certificates.X509Certificate::Reset() extern "C" void X509Certificate_Reset_m4169919017 (X509Certificate_t3432067208 * __this, const MethodInfo* method) { { __this->set_x509_0((X509Certificate_t273828612 *)NULL); __this->set_issuer_name_3((String_t*)NULL); __this->set_subject_name_4((String_t*)NULL); __this->set_hideDates_1((bool)0); __this->set_cachedCertificateHash_2((ByteU5BU5D_t58506160*)NULL); return; } } // System.Void System.Security.Permissions.SecurityPermission::.ctor(System.Security.Permissions.SecurityPermissionFlag) extern "C" void SecurityPermission__ctor_m3042719510 (SecurityPermission_t3919018054 * __this, int32_t ___flag, const MethodInfo* method) { { CodeAccessPermission__ctor_m1762050467(__this, /*hidden argument*/NULL); int32_t L_0 = ___flag; SecurityPermission_set_Flags_m3479431326(__this, L_0, /*hidden argument*/NULL); return; } } // System.Void System.Security.Permissions.SecurityPermission::set_Flags(System.Security.Permissions.SecurityPermissionFlag) extern TypeInfo* SecurityPermissionFlag_t1437051986_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral244924390; extern Il2CppCodeGenString* _stringLiteral3827431771; extern const uint32_t SecurityPermission_set_Flags_m3479431326_MetadataUsageId; extern "C" void SecurityPermission_set_Flags_m3479431326 (SecurityPermission_t3919018054 * __this, int32_t ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityPermission_set_Flags_m3479431326_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; { int32_t L_0 = ___value; int32_t L_1 = ___value; if ((((int32_t)((int32_t)((int32_t)L_0&(int32_t)((int32_t)16383)))) == ((int32_t)L_1))) { goto IL_002f; } } { String_t* L_2 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral244924390, /*hidden argument*/NULL); int32_t L_3 = ___value; int32_t L_4 = L_3; Il2CppObject * L_5 = Box(SecurityPermissionFlag_t1437051986_il2cpp_TypeInfo_var, &L_4); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_6 = String_Format_m2471250780(NULL /*static, unused*/, L_2, L_5, /*hidden argument*/NULL); V_0 = L_6; String_t* L_7 = V_0; ArgumentException_t124305799 * L_8 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_8, L_7, _stringLiteral3827431771, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_002f: { int32_t L_9 = ___value; __this->set_flags_0(L_9); return; } } // System.Boolean System.Security.Permissions.SecurityPermission::IsUnrestricted() extern "C" bool SecurityPermission_IsUnrestricted_m113825050 (SecurityPermission_t3919018054 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get_flags_0(); return (bool)((((int32_t)L_0) == ((int32_t)((int32_t)16383)))? 1 : 0); } } // System.Boolean System.Security.Permissions.SecurityPermission::IsSubsetOf(System.Security.IPermission) extern "C" bool SecurityPermission_IsSubsetOf_m2058372554 (SecurityPermission_t3919018054 * __this, Il2CppObject * ___target, const MethodInfo* method) { SecurityPermission_t3919018054 * V_0 = NULL; { Il2CppObject * L_0 = ___target; SecurityPermission_t3919018054 * L_1 = SecurityPermission_Cast_m644352077(__this, L_0, /*hidden argument*/NULL); V_0 = L_1; SecurityPermission_t3919018054 * L_2 = V_0; if (L_2) { goto IL_0015; } } { bool L_3 = SecurityPermission_IsEmpty_m3718545737(__this, /*hidden argument*/NULL); return L_3; } IL_0015: { SecurityPermission_t3919018054 * L_4 = V_0; NullCheck(L_4); bool L_5 = SecurityPermission_IsUnrestricted_m113825050(L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_0022; } } { return (bool)1; } IL_0022: { bool L_6 = SecurityPermission_IsUnrestricted_m113825050(__this, /*hidden argument*/NULL); if (!L_6) { goto IL_002f; } } { return (bool)0; } IL_002f: { int32_t L_7 = __this->get_flags_0(); SecurityPermission_t3919018054 * L_8 = V_0; NullCheck(L_8); int32_t L_9 = L_8->get_flags_0(); return (bool)((((int32_t)((int32_t)((int32_t)L_7&(int32_t)((~L_9))))) == ((int32_t)0))? 1 : 0); } } // System.Security.SecurityElement System.Security.Permissions.SecurityPermission::ToXml() extern TypeInfo* SecurityPermissionFlag_t1437051986_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral988659668; extern Il2CppCodeGenString* _stringLiteral3569038; extern Il2CppCodeGenString* _stringLiteral67960423; extern const uint32_t SecurityPermission_ToXml_m258336926_MetadataUsageId; extern "C" SecurityElement_t2475331585 * SecurityPermission_ToXml_m258336926 (SecurityPermission_t3919018054 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityPermission_ToXml_m258336926_MetadataUsageId); s_Il2CppMethodIntialized = true; } SecurityElement_t2475331585 * V_0 = NULL; { SecurityElement_t2475331585 * L_0 = CodeAccessPermission_Element_m2845355336(__this, 1, /*hidden argument*/NULL); V_0 = L_0; bool L_1 = SecurityPermission_IsUnrestricted_m113825050(__this, /*hidden argument*/NULL); if (!L_1) { goto IL_0028; } } { SecurityElement_t2475331585 * L_2 = V_0; NullCheck(L_2); SecurityElement_AddAttribute_m979045638(L_2, _stringLiteral988659668, _stringLiteral3569038, /*hidden argument*/NULL); goto IL_0043; } IL_0028: { SecurityElement_t2475331585 * L_3 = V_0; int32_t L_4 = __this->get_flags_0(); int32_t L_5 = L_4; Il2CppObject * L_6 = Box(SecurityPermissionFlag_t1437051986_il2cpp_TypeInfo_var, &L_5); NullCheck((Enum_t2778772662 *)L_6); String_t* L_7 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Enum::ToString() */, (Enum_t2778772662 *)L_6); NullCheck(L_3); SecurityElement_AddAttribute_m979045638(L_3, _stringLiteral67960423, L_7, /*hidden argument*/NULL); } IL_0043: { SecurityElement_t2475331585 * L_8 = V_0; return L_8; } } // System.Boolean System.Security.Permissions.SecurityPermission::IsEmpty() extern "C" bool SecurityPermission_IsEmpty_m3718545737 (SecurityPermission_t3919018054 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get_flags_0(); return (bool)((((int32_t)L_0) == ((int32_t)0))? 1 : 0); } } // System.Security.Permissions.SecurityPermission System.Security.Permissions.SecurityPermission::Cast(System.Security.IPermission) extern const Il2CppType* SecurityPermission_t3919018054_0_0_0_var; extern TypeInfo* SecurityPermission_t3919018054_il2cpp_TypeInfo_var; extern TypeInfo* Type_t_il2cpp_TypeInfo_var; extern const uint32_t SecurityPermission_Cast_m644352077_MetadataUsageId; extern "C" SecurityPermission_t3919018054 * SecurityPermission_Cast_m644352077 (SecurityPermission_t3919018054 * __this, Il2CppObject * ___target, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityPermission_Cast_m644352077_MetadataUsageId); s_Il2CppMethodIntialized = true; } SecurityPermission_t3919018054 * V_0 = NULL; { Il2CppObject * L_0 = ___target; if (L_0) { goto IL_0008; } } { return (SecurityPermission_t3919018054 *)NULL; } IL_0008: { Il2CppObject * L_1 = ___target; V_0 = ((SecurityPermission_t3919018054 *)IsInstSealed(L_1, SecurityPermission_t3919018054_il2cpp_TypeInfo_var)); SecurityPermission_t3919018054 * L_2 = V_0; if (L_2) { goto IL_0025; } } { Il2CppObject * L_3 = ___target; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_4 = Type_GetTypeFromHandle_m3806905434(NULL /*static, unused*/, LoadTypeToken(SecurityPermission_t3919018054_0_0_0_var), /*hidden argument*/NULL); CodeAccessPermission_ThrowInvalidPermission_m1519167963(NULL /*static, unused*/, L_3, L_4, /*hidden argument*/NULL); } IL_0025: { SecurityPermission_t3919018054 * L_5 = V_0; return L_5; } } // System.Boolean System.Security.Permissions.StrongNamePublicKeyBlob::Equals(System.Object) extern TypeInfo* StrongNamePublicKeyBlob_t2864573480_il2cpp_TypeInfo_var; extern const uint32_t StrongNamePublicKeyBlob_Equals_m167131279_MetadataUsageId; extern "C" bool StrongNamePublicKeyBlob_Equals_m167131279 (StrongNamePublicKeyBlob_t2864573480 * __this, Il2CppObject * ___obj, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StrongNamePublicKeyBlob_Equals_m167131279_MetadataUsageId); s_Il2CppMethodIntialized = true; } StrongNamePublicKeyBlob_t2864573480 * V_0 = NULL; bool V_1 = false; int32_t V_2 = 0; { Il2CppObject * L_0 = ___obj; V_0 = ((StrongNamePublicKeyBlob_t2864573480 *)IsInstSealed(L_0, StrongNamePublicKeyBlob_t2864573480_il2cpp_TypeInfo_var)); StrongNamePublicKeyBlob_t2864573480 * L_1 = V_0; if (L_1) { goto IL_000f; } } { return (bool)0; } IL_000f: { ByteU5BU5D_t58506160* L_2 = __this->get_pubkey_0(); NullCheck(L_2); StrongNamePublicKeyBlob_t2864573480 * L_3 = V_0; NullCheck(L_3); ByteU5BU5D_t58506160* L_4 = L_3->get_pubkey_0(); NullCheck(L_4); V_1 = (bool)((((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_2)->max_length))))) == ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))? 1 : 0); bool L_5 = V_1; if (!L_5) { goto IL_0058; } } { V_2 = 0; goto IL_004a; } IL_002f: { ByteU5BU5D_t58506160* L_6 = __this->get_pubkey_0(); int32_t L_7 = V_2; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, L_7); int32_t L_8 = L_7; StrongNamePublicKeyBlob_t2864573480 * L_9 = V_0; NullCheck(L_9); ByteU5BU5D_t58506160* L_10 = L_9->get_pubkey_0(); int32_t L_11 = V_2; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, L_11); int32_t L_12 = L_11; if ((((int32_t)((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_8)))) == ((int32_t)((L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_12)))))) { goto IL_0046; } } { return (bool)0; } IL_0046: { int32_t L_13 = V_2; V_2 = ((int32_t)((int32_t)L_13+(int32_t)1)); } IL_004a: { int32_t L_14 = V_2; ByteU5BU5D_t58506160* L_15 = __this->get_pubkey_0(); NullCheck(L_15); if ((((int32_t)L_14) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_15)->max_length))))))) { goto IL_002f; } } IL_0058: { bool L_16 = V_1; return L_16; } } // System.Int32 System.Security.Permissions.StrongNamePublicKeyBlob::GetHashCode() extern "C" int32_t StrongNamePublicKeyBlob_GetHashCode_m1175711719 (StrongNamePublicKeyBlob_t2864573480 * __this, const MethodInfo* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { V_0 = 0; V_1 = 0; ByteU5BU5D_t58506160* L_0 = __this->get_pubkey_0(); NullCheck(L_0); int32_t L_1 = Math_Min_m811624909(NULL /*static, unused*/, (((int32_t)((int32_t)(((Il2CppArray *)L_0)->max_length)))), 4, /*hidden argument*/NULL); V_2 = L_1; goto IL_0029; } IL_0018: { int32_t L_2 = V_0; ByteU5BU5D_t58506160* L_3 = __this->get_pubkey_0(); int32_t L_4 = V_1; int32_t L_5 = L_4; V_1 = ((int32_t)((int32_t)L_5+(int32_t)1)); NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, L_5); int32_t L_6 = L_5; V_0 = ((int32_t)((int32_t)((int32_t)((int32_t)L_2<<(int32_t)8))+(int32_t)((L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_6))))); } IL_0029: { int32_t L_7 = V_1; int32_t L_8 = V_2; if ((((int32_t)L_7) < ((int32_t)L_8))) { goto IL_0018; } } { int32_t L_9 = V_0; return L_9; } } // System.String System.Security.Permissions.StrongNamePublicKeyBlob::ToString() extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2778; extern const uint32_t StrongNamePublicKeyBlob_ToString_m2295430737_MetadataUsageId; extern "C" String_t* StrongNamePublicKeyBlob_ToString_m2295430737 (StrongNamePublicKeyBlob_t2864573480 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StrongNamePublicKeyBlob_ToString_m2295430737_MetadataUsageId); s_Il2CppMethodIntialized = true; } StringBuilder_t3822575854 * V_0 = NULL; int32_t V_1 = 0; { StringBuilder_t3822575854 * L_0 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m135953004(L_0, /*hidden argument*/NULL); V_0 = L_0; V_1 = 0; goto IL_002e; } IL_000d: { StringBuilder_t3822575854 * L_1 = V_0; ByteU5BU5D_t58506160* L_2 = __this->get_pubkey_0(); int32_t L_3 = V_1; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, L_3); String_t* L_4 = Byte_ToString_m3965014306(((L_2)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_3))), _stringLiteral2778, /*hidden argument*/NULL); NullCheck(L_1); StringBuilder_Append_m3898090075(L_1, L_4, /*hidden argument*/NULL); int32_t L_5 = V_1; V_1 = ((int32_t)((int32_t)L_5+(int32_t)1)); } IL_002e: { int32_t L_6 = V_1; ByteU5BU5D_t58506160* L_7 = __this->get_pubkey_0(); NullCheck(L_7); if ((((int32_t)L_6) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_7)->max_length))))))) { goto IL_000d; } } { StringBuilder_t3822575854 * L_8 = V_0; NullCheck(L_8); String_t* L_9 = StringBuilder_ToString_m350379841(L_8, /*hidden argument*/NULL); return L_9; } } // System.Void System.Security.PermissionSet::.ctor() extern "C" void PermissionSet__ctor_m3410884176 (PermissionSet_t2781735032 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.PermissionSet::.ctor(System.String) extern "C" void PermissionSet__ctor_m1161980594 (PermissionSet_t2781735032 * __this, String_t* ___xml, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.PermissionSet::set_DeclarativeSecurity(System.Boolean) extern "C" void PermissionSet_set_DeclarativeSecurity_m1327442290 (PermissionSet_t2781735032 * __this, bool ___value, const MethodInfo* method) { { bool L_0 = ___value; __this->set_U3CDeclarativeSecurityU3Ek__BackingField_0(L_0); return; } } // System.Security.PermissionSet System.Security.PermissionSet::CreateFromBinaryFormat(System.Byte[]) extern TypeInfo* PermissionSet_t2781735032_il2cpp_TypeInfo_var; extern const uint32_t PermissionSet_CreateFromBinaryFormat_m554196038_MetadataUsageId; extern "C" PermissionSet_t2781735032 * PermissionSet_CreateFromBinaryFormat_m554196038 (Il2CppObject * __this /* static, unused */, ByteU5BU5D_t58506160* ___data, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (PermissionSet_CreateFromBinaryFormat_m554196038_MetadataUsageId); s_Il2CppMethodIntialized = true; } { PermissionSet_t2781735032 * L_0 = (PermissionSet_t2781735032 *)il2cpp_codegen_object_new(PermissionSet_t2781735032_il2cpp_TypeInfo_var); PermissionSet__ctor_m3410884176(L_0, /*hidden argument*/NULL); return L_0; } } // System.Void System.Security.Policy.ApplicationTrust::.ctor() extern TypeInfo* List_1_t4238793654_il2cpp_TypeInfo_var; extern const MethodInfo* List_1__ctor_m1834154294_MethodInfo_var; extern const uint32_t ApplicationTrust__ctor_m3384937791_MetadataUsageId; extern "C" void ApplicationTrust__ctor_m3384937791 (ApplicationTrust_t1139375075 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ApplicationTrust__ctor_m3384937791_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); List_1_t4238793654 * L_0 = (List_1_t4238793654 *)il2cpp_codegen_object_new(List_1_t4238793654_il2cpp_TypeInfo_var); List_1__ctor_m1834154294(L_0, 0, /*hidden argument*/List_1__ctor_m1834154294_MethodInfo_var); __this->set_fullTrustAssemblies_0(L_0); return; } } // System.Void System.Security.Policy.Evidence::.ctor() extern "C" void Evidence__ctor_m2923485872 (Evidence_t2439192402 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Int32 System.Security.Policy.Evidence::get_Count() extern "C" int32_t Evidence_get_Count_m2256383184 (Evidence_t2439192402 * __this, const MethodInfo* method) { int32_t V_0 = 0; { V_0 = 0; ArrayList_t2121638921 * L_0 = __this->get_hostEvidenceList_0(); if (!L_0) { goto IL_001b; } } { int32_t L_1 = V_0; ArrayList_t2121638921 * L_2 = __this->get_hostEvidenceList_0(); NullCheck(L_2); int32_t L_3 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_2); V_0 = ((int32_t)((int32_t)L_1+(int32_t)L_3)); } IL_001b: { ArrayList_t2121638921 * L_4 = __this->get_assemblyEvidenceList_1(); if (!L_4) { goto IL_0034; } } { int32_t L_5 = V_0; ArrayList_t2121638921 * L_6 = __this->get_assemblyEvidenceList_1(); NullCheck(L_6); int32_t L_7 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_6); V_0 = ((int32_t)((int32_t)L_5+(int32_t)L_7)); } IL_0034: { int32_t L_8 = V_0; return L_8; } } // System.Boolean System.Security.Policy.Evidence::get_IsSynchronized() extern "C" bool Evidence_get_IsSynchronized_m1680953145 (Evidence_t2439192402 * __this, const MethodInfo* method) { { return (bool)0; } } // System.Object System.Security.Policy.Evidence::get_SyncRoot() extern "C" Il2CppObject * Evidence_get_SyncRoot_m397267429 (Evidence_t2439192402 * __this, const MethodInfo* method) { { return __this; } } // System.Collections.ArrayList System.Security.Policy.Evidence::get_HostEvidenceList() extern TypeInfo* ArrayList_t2121638921_il2cpp_TypeInfo_var; extern const uint32_t Evidence_get_HostEvidenceList_m4094307694_MetadataUsageId; extern "C" ArrayList_t2121638921 * Evidence_get_HostEvidenceList_m4094307694 (Evidence_t2439192402 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Evidence_get_HostEvidenceList_m4094307694_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ArrayList_t2121638921 * L_0 = __this->get_hostEvidenceList_0(); if (L_0) { goto IL_001b; } } { ArrayList_t2121638921 * L_1 = (ArrayList_t2121638921 *)il2cpp_codegen_object_new(ArrayList_t2121638921_il2cpp_TypeInfo_var); ArrayList__ctor_m1878432947(L_1, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(ArrayList_t2121638921_il2cpp_TypeInfo_var); ArrayList_t2121638921 * L_2 = ArrayList_Synchronized_m4034047634(NULL /*static, unused*/, L_1, /*hidden argument*/NULL); __this->set_hostEvidenceList_0(L_2); } IL_001b: { ArrayList_t2121638921 * L_3 = __this->get_hostEvidenceList_0(); return L_3; } } // System.Collections.ArrayList System.Security.Policy.Evidence::get_AssemblyEvidenceList() extern TypeInfo* ArrayList_t2121638921_il2cpp_TypeInfo_var; extern const uint32_t Evidence_get_AssemblyEvidenceList_m2146797868_MetadataUsageId; extern "C" ArrayList_t2121638921 * Evidence_get_AssemblyEvidenceList_m2146797868 (Evidence_t2439192402 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Evidence_get_AssemblyEvidenceList_m2146797868_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ArrayList_t2121638921 * L_0 = __this->get_assemblyEvidenceList_1(); if (L_0) { goto IL_001b; } } { ArrayList_t2121638921 * L_1 = (ArrayList_t2121638921 *)il2cpp_codegen_object_new(ArrayList_t2121638921_il2cpp_TypeInfo_var); ArrayList__ctor_m1878432947(L_1, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(ArrayList_t2121638921_il2cpp_TypeInfo_var); ArrayList_t2121638921 * L_2 = ArrayList_Synchronized_m4034047634(NULL /*static, unused*/, L_1, /*hidden argument*/NULL); __this->set_assemblyEvidenceList_1(L_2); } IL_001b: { ArrayList_t2121638921 * L_3 = __this->get_assemblyEvidenceList_1(); return L_3; } } // System.Void System.Security.Policy.Evidence::CopyTo(System.Array,System.Int32) extern "C" void Evidence_CopyTo_m2676737933 (Evidence_t2439192402 * __this, Il2CppArray * ___array, int32_t ___index, const MethodInfo* method) { int32_t V_0 = 0; { V_0 = 0; ArrayList_t2121638921 * L_0 = __this->get_hostEvidenceList_0(); if (!L_0) { goto IL_002d; } } { ArrayList_t2121638921 * L_1 = __this->get_hostEvidenceList_0(); NullCheck(L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_1); V_0 = L_2; int32_t L_3 = V_0; if ((((int32_t)L_3) <= ((int32_t)0))) { goto IL_002d; } } { ArrayList_t2121638921 * L_4 = __this->get_hostEvidenceList_0(); Il2CppArray * L_5 = ___array; int32_t L_6 = ___index; NullCheck(L_4); VirtActionInvoker2< Il2CppArray *, int32_t >::Invoke(41 /* System.Void System.Collections.ArrayList::CopyTo(System.Array,System.Int32) */, L_4, L_5, L_6); } IL_002d: { ArrayList_t2121638921 * L_7 = __this->get_assemblyEvidenceList_1(); if (!L_7) { goto IL_0058; } } { ArrayList_t2121638921 * L_8 = __this->get_assemblyEvidenceList_1(); NullCheck(L_8); int32_t L_9 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_8); if ((((int32_t)L_9) <= ((int32_t)0))) { goto IL_0058; } } { ArrayList_t2121638921 * L_10 = __this->get_assemblyEvidenceList_1(); Il2CppArray * L_11 = ___array; int32_t L_12 = ___index; int32_t L_13 = V_0; NullCheck(L_10); VirtActionInvoker2< Il2CppArray *, int32_t >::Invoke(41 /* System.Void System.Collections.ArrayList::CopyTo(System.Array,System.Int32) */, L_10, L_11, ((int32_t)((int32_t)L_12+(int32_t)L_13))); } IL_0058: { return; } } // System.Boolean System.Security.Policy.Evidence::Equals(System.Object) extern TypeInfo* Evidence_t2439192402_il2cpp_TypeInfo_var; extern const uint32_t Evidence_Equals_m3042273827_MetadataUsageId; extern "C" bool Evidence_Equals_m3042273827 (Evidence_t2439192402 * __this, Il2CppObject * ___obj, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Evidence_Equals_m3042273827_MetadataUsageId); s_Il2CppMethodIntialized = true; } Evidence_t2439192402 * V_0 = NULL; int32_t V_1 = 0; bool V_2 = false; int32_t V_3 = 0; int32_t V_4 = 0; bool V_5 = false; int32_t V_6 = 0; { Il2CppObject * L_0 = ___obj; if (L_0) { goto IL_0008; } } { return (bool)0; } IL_0008: { Il2CppObject * L_1 = ___obj; V_0 = ((Evidence_t2439192402 *)IsInstSealed(L_1, Evidence_t2439192402_il2cpp_TypeInfo_var)); Evidence_t2439192402 * L_2 = V_0; if (L_2) { goto IL_0017; } } { return (bool)0; } IL_0017: { ArrayList_t2121638921 * L_3 = Evidence_get_HostEvidenceList_m4094307694(__this, /*hidden argument*/NULL); NullCheck(L_3); int32_t L_4 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_3); Evidence_t2439192402 * L_5 = V_0; NullCheck(L_5); ArrayList_t2121638921 * L_6 = Evidence_get_HostEvidenceList_m4094307694(L_5, /*hidden argument*/NULL); NullCheck(L_6); int32_t L_7 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_6); if ((((int32_t)L_4) == ((int32_t)L_7))) { goto IL_0034; } } { return (bool)0; } IL_0034: { ArrayList_t2121638921 * L_8 = Evidence_get_AssemblyEvidenceList_m2146797868(__this, /*hidden argument*/NULL); NullCheck(L_8); int32_t L_9 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_8); Evidence_t2439192402 * L_10 = V_0; NullCheck(L_10); ArrayList_t2121638921 * L_11 = Evidence_get_AssemblyEvidenceList_m2146797868(L_10, /*hidden argument*/NULL); NullCheck(L_11); int32_t L_12 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_11); if ((((int32_t)L_9) == ((int32_t)L_12))) { goto IL_0051; } } { return (bool)0; } IL_0051: { V_1 = 0; goto IL_00ab; } IL_0058: { V_2 = (bool)0; V_3 = 0; goto IL_008e; } IL_0061: { ArrayList_t2121638921 * L_13 = __this->get_hostEvidenceList_0(); int32_t L_14 = V_1; NullCheck(L_13); Il2CppObject * L_15 = VirtFuncInvoker1< Il2CppObject *, int32_t >::Invoke(21 /* System.Object System.Collections.ArrayList::get_Item(System.Int32) */, L_13, L_14); Evidence_t2439192402 * L_16 = V_0; NullCheck(L_16); ArrayList_t2121638921 * L_17 = L_16->get_hostEvidenceList_0(); int32_t L_18 = V_3; NullCheck(L_17); Il2CppObject * L_19 = VirtFuncInvoker1< Il2CppObject *, int32_t >::Invoke(21 /* System.Object System.Collections.ArrayList::get_Item(System.Int32) */, L_17, L_18); NullCheck(L_15); bool L_20 = VirtFuncInvoker1< bool, Il2CppObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_15, L_19); if (!L_20) { goto IL_008a; } } { V_2 = (bool)1; goto IL_009f; } IL_008a: { int32_t L_21 = V_1; V_1 = ((int32_t)((int32_t)L_21+(int32_t)1)); } IL_008e: { int32_t L_22 = V_3; Evidence_t2439192402 * L_23 = V_0; NullCheck(L_23); ArrayList_t2121638921 * L_24 = L_23->get_hostEvidenceList_0(); NullCheck(L_24); int32_t L_25 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_24); if ((((int32_t)L_22) < ((int32_t)L_25))) { goto IL_0061; } } IL_009f: { bool L_26 = V_2; if (L_26) { goto IL_00a7; } } { return (bool)0; } IL_00a7: { int32_t L_27 = V_1; V_1 = ((int32_t)((int32_t)L_27+(int32_t)1)); } IL_00ab: { int32_t L_28 = V_1; ArrayList_t2121638921 * L_29 = __this->get_hostEvidenceList_0(); NullCheck(L_29); int32_t L_30 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_29); if ((((int32_t)L_28) < ((int32_t)L_30))) { goto IL_0058; } } { V_4 = 0; goto IL_0122; } IL_00c4: { V_5 = (bool)0; V_6 = 0; goto IL_0101; } IL_00cf: { ArrayList_t2121638921 * L_31 = __this->get_assemblyEvidenceList_1(); int32_t L_32 = V_4; NullCheck(L_31); Il2CppObject * L_33 = VirtFuncInvoker1< Il2CppObject *, int32_t >::Invoke(21 /* System.Object System.Collections.ArrayList::get_Item(System.Int32) */, L_31, L_32); Evidence_t2439192402 * L_34 = V_0; NullCheck(L_34); ArrayList_t2121638921 * L_35 = L_34->get_assemblyEvidenceList_1(); int32_t L_36 = V_6; NullCheck(L_35); Il2CppObject * L_37 = VirtFuncInvoker1< Il2CppObject *, int32_t >::Invoke(21 /* System.Object System.Collections.ArrayList::get_Item(System.Int32) */, L_35, L_36); NullCheck(L_33); bool L_38 = VirtFuncInvoker1< bool, Il2CppObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_33, L_37); if (!L_38) { goto IL_00fb; } } { V_5 = (bool)1; goto IL_0113; } IL_00fb: { int32_t L_39 = V_4; V_4 = ((int32_t)((int32_t)L_39+(int32_t)1)); } IL_0101: { int32_t L_40 = V_6; Evidence_t2439192402 * L_41 = V_0; NullCheck(L_41); ArrayList_t2121638921 * L_42 = L_41->get_assemblyEvidenceList_1(); NullCheck(L_42); int32_t L_43 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_42); if ((((int32_t)L_40) < ((int32_t)L_43))) { goto IL_00cf; } } IL_0113: { bool L_44 = V_5; if (L_44) { goto IL_011c; } } { return (bool)0; } IL_011c: { int32_t L_45 = V_4; V_4 = ((int32_t)((int32_t)L_45+(int32_t)1)); } IL_0122: { int32_t L_46 = V_4; ArrayList_t2121638921 * L_47 = __this->get_assemblyEvidenceList_1(); NullCheck(L_47); int32_t L_48 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_47); if ((((int32_t)L_46) < ((int32_t)L_48))) { goto IL_00c4; } } { return (bool)1; } } // System.Collections.IEnumerator System.Security.Policy.Evidence::GetEnumerator() extern TypeInfo* EvidenceEnumerator_t1490308507_il2cpp_TypeInfo_var; extern const uint32_t Evidence_GetEnumerator_m1666533534_MetadataUsageId; extern "C" Il2CppObject * Evidence_GetEnumerator_m1666533534 (Evidence_t2439192402 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Evidence_GetEnumerator_m1666533534_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Il2CppObject * V_1 = NULL; { V_0 = (Il2CppObject *)NULL; ArrayList_t2121638921 * L_0 = __this->get_hostEvidenceList_0(); if (!L_0) { goto IL_0019; } } { ArrayList_t2121638921 * L_1 = __this->get_hostEvidenceList_0(); NullCheck(L_1); Il2CppObject * L_2 = VirtFuncInvoker0< Il2CppObject * >::Invoke(43 /* System.Collections.IEnumerator System.Collections.ArrayList::GetEnumerator() */, L_1); V_0 = L_2; } IL_0019: { V_1 = (Il2CppObject *)NULL; ArrayList_t2121638921 * L_3 = __this->get_assemblyEvidenceList_1(); if (!L_3) { goto IL_0032; } } { ArrayList_t2121638921 * L_4 = __this->get_assemblyEvidenceList_1(); NullCheck(L_4); Il2CppObject * L_5 = VirtFuncInvoker0< Il2CppObject * >::Invoke(43 /* System.Collections.IEnumerator System.Collections.ArrayList::GetEnumerator() */, L_4); V_1 = L_5; } IL_0032: { Il2CppObject * L_6 = V_0; Il2CppObject * L_7 = V_1; EvidenceEnumerator_t1490308507 * L_8 = (EvidenceEnumerator_t1490308507 *)il2cpp_codegen_object_new(EvidenceEnumerator_t1490308507_il2cpp_TypeInfo_var); EvidenceEnumerator__ctor_m2234300346(L_8, L_6, L_7, /*hidden argument*/NULL); return L_8; } } // System.Int32 System.Security.Policy.Evidence::GetHashCode() extern "C" int32_t Evidence_GetHashCode_m555337339 (Evidence_t2439192402 * __this, const MethodInfo* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = __this->get__hashCode_2(); if (L_0) { goto IL_0095; } } { ArrayList_t2121638921 * L_1 = __this->get_hostEvidenceList_0(); if (!L_1) { goto IL_0050; } } { V_0 = 0; goto IL_003f; } IL_001d: { int32_t L_2 = __this->get__hashCode_2(); ArrayList_t2121638921 * L_3 = __this->get_hostEvidenceList_0(); int32_t L_4 = V_0; NullCheck(L_3); Il2CppObject * L_5 = VirtFuncInvoker1< Il2CppObject *, int32_t >::Invoke(21 /* System.Object System.Collections.ArrayList::get_Item(System.Int32) */, L_3, L_4); NullCheck(L_5); int32_t L_6 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, L_5); __this->set__hashCode_2(((int32_t)((int32_t)L_2^(int32_t)L_6))); int32_t L_7 = V_0; V_0 = ((int32_t)((int32_t)L_7+(int32_t)1)); } IL_003f: { int32_t L_8 = V_0; ArrayList_t2121638921 * L_9 = __this->get_hostEvidenceList_0(); NullCheck(L_9); int32_t L_10 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_9); if ((((int32_t)L_8) < ((int32_t)L_10))) { goto IL_001d; } } IL_0050: { ArrayList_t2121638921 * L_11 = __this->get_assemblyEvidenceList_1(); if (!L_11) { goto IL_0095; } } { V_1 = 0; goto IL_0084; } IL_0062: { int32_t L_12 = __this->get__hashCode_2(); ArrayList_t2121638921 * L_13 = __this->get_assemblyEvidenceList_1(); int32_t L_14 = V_1; NullCheck(L_13); Il2CppObject * L_15 = VirtFuncInvoker1< Il2CppObject *, int32_t >::Invoke(21 /* System.Object System.Collections.ArrayList::get_Item(System.Int32) */, L_13, L_14); NullCheck(L_15); int32_t L_16 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, L_15); __this->set__hashCode_2(((int32_t)((int32_t)L_12^(int32_t)L_16))); int32_t L_17 = V_1; V_1 = ((int32_t)((int32_t)L_17+(int32_t)1)); } IL_0084: { int32_t L_18 = V_1; ArrayList_t2121638921 * L_19 = __this->get_assemblyEvidenceList_1(); NullCheck(L_19); int32_t L_20 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_19); if ((((int32_t)L_18) < ((int32_t)L_20))) { goto IL_0062; } } IL_0095: { int32_t L_21 = __this->get__hashCode_2(); return L_21; } } // System.Void System.Security.Policy.Evidence/EvidenceEnumerator::.ctor(System.Collections.IEnumerator,System.Collections.IEnumerator) extern "C" void EvidenceEnumerator__ctor_m2234300346 (EvidenceEnumerator_t1490308507 * __this, Il2CppObject * ___hostenum, Il2CppObject * ___assemblyenum, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); Il2CppObject * L_0 = ___hostenum; __this->set_hostEnum_1(L_0); Il2CppObject * L_1 = ___assemblyenum; __this->set_assemblyEnum_2(L_1); Il2CppObject * L_2 = __this->get_hostEnum_1(); __this->set_currentEnum_0(L_2); return; } } // System.Boolean System.Security.Policy.Evidence/EvidenceEnumerator::MoveNext() extern TypeInfo* IEnumerator_t287207039_il2cpp_TypeInfo_var; extern const uint32_t EvidenceEnumerator_MoveNext_m262874302_MetadataUsageId; extern "C" bool EvidenceEnumerator_MoveNext_m262874302 (EvidenceEnumerator_t1490308507 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EvidenceEnumerator_MoveNext_m262874302_MetadataUsageId); s_Il2CppMethodIntialized = true; } bool V_0 = false; { Il2CppObject * L_0 = __this->get_currentEnum_0(); if (L_0) { goto IL_000d; } } { return (bool)0; } IL_000d: { Il2CppObject * L_1 = __this->get_currentEnum_0(); NullCheck(L_1); bool L_2 = InterfaceFuncInvoker0< bool >::Invoke(1 /* System.Boolean System.Collections.IEnumerator::MoveNext() */, IEnumerator_t287207039_il2cpp_TypeInfo_var, L_1); V_0 = L_2; bool L_3 = V_0; if (L_3) { goto IL_0053; } } { Il2CppObject * L_4 = __this->get_hostEnum_1(); Il2CppObject * L_5 = __this->get_currentEnum_0(); if ((!(((Il2CppObject*)(Il2CppObject *)L_4) == ((Il2CppObject*)(Il2CppObject *)L_5)))) { goto IL_0053; } } { Il2CppObject * L_6 = __this->get_assemblyEnum_2(); if (!L_6) { goto IL_0053; } } { Il2CppObject * L_7 = __this->get_assemblyEnum_2(); __this->set_currentEnum_0(L_7); Il2CppObject * L_8 = __this->get_assemblyEnum_2(); NullCheck(L_8); bool L_9 = InterfaceFuncInvoker0< bool >::Invoke(1 /* System.Boolean System.Collections.IEnumerator::MoveNext() */, IEnumerator_t287207039_il2cpp_TypeInfo_var, L_8); V_0 = L_9; } IL_0053: { bool L_10 = V_0; return L_10; } } // System.Void System.Security.Policy.Evidence/EvidenceEnumerator::Reset() extern TypeInfo* IEnumerator_t287207039_il2cpp_TypeInfo_var; extern const uint32_t EvidenceEnumerator_Reset_m909327129_MetadataUsageId; extern "C" void EvidenceEnumerator_Reset_m909327129 (EvidenceEnumerator_t1490308507 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EvidenceEnumerator_Reset_m909327129_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = __this->get_hostEnum_1(); if (!L_0) { goto IL_0027; } } { Il2CppObject * L_1 = __this->get_hostEnum_1(); NullCheck(L_1); InterfaceActionInvoker0::Invoke(2 /* System.Void System.Collections.IEnumerator::Reset() */, IEnumerator_t287207039_il2cpp_TypeInfo_var, L_1); Il2CppObject * L_2 = __this->get_hostEnum_1(); __this->set_currentEnum_0(L_2); goto IL_0033; } IL_0027: { Il2CppObject * L_3 = __this->get_assemblyEnum_2(); __this->set_currentEnum_0(L_3); } IL_0033: { Il2CppObject * L_4 = __this->get_assemblyEnum_2(); if (!L_4) { goto IL_0049; } } { Il2CppObject * L_5 = __this->get_assemblyEnum_2(); NullCheck(L_5); InterfaceActionInvoker0::Invoke(2 /* System.Void System.Collections.IEnumerator::Reset() */, IEnumerator_t287207039_il2cpp_TypeInfo_var, L_5); } IL_0049: { return; } } // System.Object System.Security.Policy.Evidence/EvidenceEnumerator::get_Current() extern TypeInfo* IEnumerator_t287207039_il2cpp_TypeInfo_var; extern const uint32_t EvidenceEnumerator_get_Current_m2705378437_MetadataUsageId; extern "C" Il2CppObject * EvidenceEnumerator_get_Current_m2705378437 (EvidenceEnumerator_t1490308507 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EvidenceEnumerator_get_Current_m2705378437_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = __this->get_currentEnum_0(); NullCheck(L_0); Il2CppObject * L_1 = InterfaceFuncInvoker0< Il2CppObject * >::Invoke(0 /* System.Object System.Collections.IEnumerator::get_Current() */, IEnumerator_t287207039_il2cpp_TypeInfo_var, L_0); return L_1; } } // System.Void System.Security.Policy.Hash::.ctor() extern "C" void Hash__ctor_m3344615385 (Hash_t1993822729 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.Policy.Hash::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) extern const Il2CppType* ByteU5BU5D_t58506160_0_0_0_var; extern TypeInfo* Type_t_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2649907154; extern const uint32_t Hash__ctor_m2508943770_MetadataUsageId; extern "C" void Hash__ctor_m2508943770 (Hash_t1993822729 * __this, SerializationInfo_t2995724695 * ___info, StreamingContext_t986364934 ___context, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Hash__ctor_m2508943770_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_0 = ___info; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_1 = Type_GetTypeFromHandle_m3806905434(NULL /*static, unused*/, LoadTypeToken(ByteU5BU5D_t58506160_0_0_0_var), /*hidden argument*/NULL); NullCheck(L_0); Il2CppObject * L_2 = SerializationInfo_GetValue_m4125471336(L_0, _stringLiteral2649907154, L_1, /*hidden argument*/NULL); __this->set_data_1(((ByteU5BU5D_t58506160*)Castclass(L_2, ByteU5BU5D_t58506160_il2cpp_TypeInfo_var))); return; } } // System.Void System.Security.Policy.Hash::GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3237038; extern Il2CppCodeGenString* _stringLiteral2649907154; extern const uint32_t Hash_GetObjectData_m3237379831_MetadataUsageId; extern "C" void Hash_GetObjectData_m3237379831 (Hash_t1993822729 * __this, SerializationInfo_t2995724695 * ___info, StreamingContext_t986364934 ___context, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Hash_GetObjectData_m3237379831_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SerializationInfo_t2995724695 * L_0 = ___info; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral3237038, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { SerializationInfo_t2995724695 * L_2 = ___info; ByteU5BU5D_t58506160* L_3 = Hash_GetData_m808019137(__this, /*hidden argument*/NULL); NullCheck(L_2); SerializationInfo_AddValue_m469120675(L_2, _stringLiteral2649907154, (Il2CppObject *)(Il2CppObject *)L_3, /*hidden argument*/NULL); return; } } // System.String System.Security.Policy.Hash::ToString() extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral351608024; extern Il2CppCodeGenString* _stringLiteral49; extern Il2CppCodeGenString* _stringLiteral2778; extern Il2CppCodeGenString* _stringLiteral2649907154; extern const uint32_t Hash_ToString_m280687476_MetadataUsageId; extern "C" String_t* Hash_ToString_m280687476 (Hash_t1993822729 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Hash_ToString_m280687476_MetadataUsageId); s_Il2CppMethodIntialized = true; } SecurityElement_t2475331585 * V_0 = NULL; StringBuilder_t3822575854 * V_1 = NULL; ByteU5BU5D_t58506160* V_2 = NULL; int32_t V_3 = 0; { Type_t * L_0 = Object_GetType_m2022236990(__this, /*hidden argument*/NULL); NullCheck(L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(18 /* System.String System.Type::get_FullName() */, L_0); SecurityElement_t2475331585 * L_2 = (SecurityElement_t2475331585 *)il2cpp_codegen_object_new(SecurityElement_t2475331585_il2cpp_TypeInfo_var); SecurityElement__ctor_m3616501115(L_2, L_1, /*hidden argument*/NULL); V_0 = L_2; SecurityElement_t2475331585 * L_3 = V_0; NullCheck(L_3); SecurityElement_AddAttribute_m979045638(L_3, _stringLiteral351608024, _stringLiteral49, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_4 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m135953004(L_4, /*hidden argument*/NULL); V_1 = L_4; ByteU5BU5D_t58506160* L_5 = Hash_GetData_m808019137(__this, /*hidden argument*/NULL); V_2 = L_5; V_3 = 0; goto IL_0051; } IL_0035: { StringBuilder_t3822575854 * L_6 = V_1; ByteU5BU5D_t58506160* L_7 = V_2; int32_t L_8 = V_3; NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, L_8); String_t* L_9 = Byte_ToString_m3965014306(((L_7)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_8))), _stringLiteral2778, /*hidden argument*/NULL); NullCheck(L_6); StringBuilder_Append_m3898090075(L_6, L_9, /*hidden argument*/NULL); int32_t L_10 = V_3; V_3 = ((int32_t)((int32_t)L_10+(int32_t)1)); } IL_0051: { int32_t L_11 = V_3; ByteU5BU5D_t58506160* L_12 = V_2; NullCheck(L_12); if ((((int32_t)L_11) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_12)->max_length))))))) { goto IL_0035; } } { SecurityElement_t2475331585 * L_13 = V_0; StringBuilder_t3822575854 * L_14 = V_1; NullCheck(L_14); String_t* L_15 = StringBuilder_ToString_m350379841(L_14, /*hidden argument*/NULL); SecurityElement_t2475331585 * L_16 = (SecurityElement_t2475331585 *)il2cpp_codegen_object_new(SecurityElement_t2475331585_il2cpp_TypeInfo_var); SecurityElement__ctor_m2591154807(L_16, _stringLiteral2649907154, L_15, /*hidden argument*/NULL); NullCheck(L_13); SecurityElement_AddChild_m17363117(L_13, L_16, /*hidden argument*/NULL); SecurityElement_t2475331585 * L_17 = V_0; NullCheck(L_17); String_t* L_18 = SecurityElement_ToString_m1891938598(L_17, /*hidden argument*/NULL); return L_18; } } // System.Byte[] System.Security.Policy.Hash::GetData() extern TypeInfo* SecurityException_t128786772_il2cpp_TypeInfo_var; extern TypeInfo* FileStream_t1527309539_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1609429801; extern const uint32_t Hash_GetData_m808019137_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* Hash_GetData_m808019137 (Hash_t1993822729 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Hash_GetData_m808019137_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; FileStream_t1527309539 * V_1 = NULL; { Assembly_t1882292308 * L_0 = __this->get_assembly_0(); if (L_0) { goto IL_0028; } } { ByteU5BU5D_t58506160* L_1 = __this->get_data_1(); if (L_1) { goto IL_0028; } } { String_t* L_2 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1609429801, /*hidden argument*/NULL); V_0 = L_2; String_t* L_3 = V_0; SecurityException_t128786772 * L_4 = (SecurityException_t128786772 *)il2cpp_codegen_object_new(SecurityException_t128786772_il2cpp_TypeInfo_var); SecurityException__ctor_m1163560590(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_0028: { ByteU5BU5D_t58506160* L_5 = __this->get_data_1(); if (L_5) { goto IL_006d; } } { Assembly_t1882292308 * L_6 = __this->get_assembly_0(); NullCheck(L_6); String_t* L_7 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.Assembly::get_Location() */, L_6); FileStream_t1527309539 * L_8 = (FileStream_t1527309539 *)il2cpp_codegen_object_new(FileStream_t1527309539_il2cpp_TypeInfo_var); FileStream__ctor_m3377505172(L_8, L_7, 3, 1, /*hidden argument*/NULL); V_1 = L_8; FileStream_t1527309539 * L_9 = V_1; NullCheck(L_9); int64_t L_10 = VirtFuncInvoker0< int64_t >::Invoke(8 /* System.Int64 System.IO.FileStream::get_Length() */, L_9); if ((int64_t)(L_10) > INTPTR_MAX) IL2CPP_RAISE_MANAGED_EXCEPTION(il2cpp_codegen_get_overflow_exception()); __this->set_data_1(((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)(((intptr_t)L_10))))); FileStream_t1527309539 * L_11 = V_1; ByteU5BU5D_t58506160* L_12 = __this->get_data_1(); FileStream_t1527309539 * L_13 = V_1; NullCheck(L_13); int64_t L_14 = VirtFuncInvoker0< int64_t >::Invoke(8 /* System.Int64 System.IO.FileStream::get_Length() */, L_13); NullCheck(L_11); VirtFuncInvoker3< int32_t, ByteU5BU5D_t58506160*, int32_t, int32_t >::Invoke(15 /* System.Int32 System.IO.FileStream::Read(System.Byte[],System.Int32,System.Int32) */, L_11, L_12, 0, (((int32_t)((int32_t)L_14)))); } IL_006d: { ByteU5BU5D_t58506160* L_15 = __this->get_data_1(); return L_15; } } // System.String System.Security.Policy.StrongName::get_Name() extern "C" String_t* StrongName_get_Name_m2625731792 (StrongName_t3441834685 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get_name_1(); return L_0; } } // System.Security.Permissions.StrongNamePublicKeyBlob System.Security.Policy.StrongName::get_PublicKey() extern "C" StrongNamePublicKeyBlob_t2864573480 * StrongName_get_PublicKey_m99431051 (StrongName_t3441834685 * __this, const MethodInfo* method) { { StrongNamePublicKeyBlob_t2864573480 * L_0 = __this->get_publickey_0(); return L_0; } } // System.Version System.Security.Policy.StrongName::get_Version() extern "C" Version_t497901645 * StrongName_get_Version_m1418835908 (StrongName_t3441834685 * __this, const MethodInfo* method) { { Version_t497901645 * L_0 = __this->get_version_2(); return L_0; } } // System.Boolean System.Security.Policy.StrongName::Equals(System.Object) extern TypeInfo* StrongName_t3441834685_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t StrongName_Equals_m3416747224_MetadataUsageId; extern "C" bool StrongName_Equals_m3416747224 (StrongName_t3441834685 * __this, Il2CppObject * ___o, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StrongName_Equals_m3416747224_MetadataUsageId); s_Il2CppMethodIntialized = true; } StrongName_t3441834685 * V_0 = NULL; { Il2CppObject * L_0 = ___o; V_0 = ((StrongName_t3441834685 *)IsInstSealed(L_0, StrongName_t3441834685_il2cpp_TypeInfo_var)); StrongName_t3441834685 * L_1 = V_0; if (L_1) { goto IL_000f; } } { return (bool)0; } IL_000f: { String_t* L_2 = __this->get_name_1(); StrongName_t3441834685 * L_3 = V_0; NullCheck(L_3); String_t* L_4 = StrongName_get_Name_m2625731792(L_3, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_5 = String_op_Inequality_m2125462205(NULL /*static, unused*/, L_2, L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_0027; } } { return (bool)0; } IL_0027: { Version_t497901645 * L_6 = StrongName_get_Version_m1418835908(__this, /*hidden argument*/NULL); StrongName_t3441834685 * L_7 = V_0; NullCheck(L_7); Version_t497901645 * L_8 = StrongName_get_Version_m1418835908(L_7, /*hidden argument*/NULL); NullCheck(L_6); bool L_9 = Version_Equals_m2986654579(L_6, L_8, /*hidden argument*/NULL); if (L_9) { goto IL_003f; } } { return (bool)0; } IL_003f: { StrongNamePublicKeyBlob_t2864573480 * L_10 = StrongName_get_PublicKey_m99431051(__this, /*hidden argument*/NULL); StrongName_t3441834685 * L_11 = V_0; NullCheck(L_11); StrongNamePublicKeyBlob_t2864573480 * L_12 = StrongName_get_PublicKey_m99431051(L_11, /*hidden argument*/NULL); NullCheck(L_10); bool L_13 = StrongNamePublicKeyBlob_Equals_m167131279(L_10, L_12, /*hidden argument*/NULL); return L_13; } } // System.Int32 System.Security.Policy.StrongName::GetHashCode() extern "C" int32_t StrongName_GetHashCode_m1084673968 (StrongName_t3441834685 * __this, const MethodInfo* method) { { StrongNamePublicKeyBlob_t2864573480 * L_0 = __this->get_publickey_0(); NullCheck(L_0); int32_t L_1 = StrongNamePublicKeyBlob_GetHashCode_m1175711719(L_0, /*hidden argument*/NULL); return L_1; } } // System.String System.Security.Policy.StrongName::ToString() extern const Il2CppType* StrongName_t3441834685_0_0_0_var; extern TypeInfo* Type_t_il2cpp_TypeInfo_var; extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral351608024; extern Il2CppCodeGenString* _stringLiteral49; extern Il2CppCodeGenString* _stringLiteral75327; extern Il2CppCodeGenString* _stringLiteral2420395; extern Il2CppCodeGenString* _stringLiteral2016261304; extern const uint32_t StrongName_ToString_m1987456872_MetadataUsageId; extern "C" String_t* StrongName_ToString_m1987456872 (StrongName_t3441834685 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StrongName_ToString_m1987456872_MetadataUsageId); s_Il2CppMethodIntialized = true; } SecurityElement_t2475331585 * V_0 = NULL; { IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_0 = Type_GetTypeFromHandle_m3806905434(NULL /*static, unused*/, LoadTypeToken(StrongName_t3441834685_0_0_0_var), /*hidden argument*/NULL); NullCheck(L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_0); SecurityElement_t2475331585 * L_2 = (SecurityElement_t2475331585 *)il2cpp_codegen_object_new(SecurityElement_t2475331585_il2cpp_TypeInfo_var); SecurityElement__ctor_m3616501115(L_2, L_1, /*hidden argument*/NULL); V_0 = L_2; SecurityElement_t2475331585 * L_3 = V_0; NullCheck(L_3); SecurityElement_AddAttribute_m979045638(L_3, _stringLiteral351608024, _stringLiteral49, /*hidden argument*/NULL); SecurityElement_t2475331585 * L_4 = V_0; StrongNamePublicKeyBlob_t2864573480 * L_5 = __this->get_publickey_0(); NullCheck(L_5); String_t* L_6 = StrongNamePublicKeyBlob_ToString_m2295430737(L_5, /*hidden argument*/NULL); NullCheck(L_4); SecurityElement_AddAttribute_m979045638(L_4, _stringLiteral75327, L_6, /*hidden argument*/NULL); SecurityElement_t2475331585 * L_7 = V_0; String_t* L_8 = __this->get_name_1(); NullCheck(L_7); SecurityElement_AddAttribute_m979045638(L_7, _stringLiteral2420395, L_8, /*hidden argument*/NULL); SecurityElement_t2475331585 * L_9 = V_0; Version_t497901645 * L_10 = __this->get_version_2(); NullCheck(L_10); String_t* L_11 = Version_ToString_m3622155194(L_10, /*hidden argument*/NULL); NullCheck(L_9); SecurityElement_AddAttribute_m979045638(L_9, _stringLiteral2016261304, L_11, /*hidden argument*/NULL); SecurityElement_t2475331585 * L_12 = V_0; NullCheck(L_12); String_t* L_13 = SecurityElement_ToString_m1891938598(L_12, /*hidden argument*/NULL); return L_13; } } // System.Void System.Security.Principal.WindowsIdentity::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) extern "C" void WindowsIdentity__ctor_m2888541667 (WindowsIdentity_t4008973414 * __this, SerializationInfo_t2995724695 * ___info, StreamingContext_t986364934 ___context, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_0 = ___info; __this->set__info_5(L_0); return; } } // System.Void System.Security.Principal.WindowsIdentity::.cctor() extern TypeInfo* IntPtr_t_il2cpp_TypeInfo_var; extern TypeInfo* WindowsIdentity_t4008973414_il2cpp_TypeInfo_var; extern const uint32_t WindowsIdentity__cctor_m309158987_MetadataUsageId; extern "C" void WindowsIdentity__cctor_m309158987 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (WindowsIdentity__cctor_m309158987_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IntPtr_t L_0 = ((IntPtr_t_StaticFields*)IntPtr_t_il2cpp_TypeInfo_var->static_fields)->get_Zero_1(); ((WindowsIdentity_t4008973414_StaticFields*)WindowsIdentity_t4008973414_il2cpp_TypeInfo_var->static_fields)->set_invalidWindows_6(L_0); return; } } // System.Void System.Security.Principal.WindowsIdentity::System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(System.Object) extern const Il2CppType* IntPtr_t_0_0_0_var; extern const Il2CppType* WindowsAccountType_t1400432841_0_0_0_var; extern TypeInfo* Type_t_il2cpp_TypeInfo_var; extern TypeInfo* IntPtr_t_il2cpp_TypeInfo_var; extern TypeInfo* WindowsIdentity_t4008973414_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* SerializationException_t731558744_il2cpp_TypeInfo_var; extern TypeInfo* Int32_t2847414787_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral541105052; extern Il2CppCodeGenString* _stringLiteral3211685661; extern Il2CppCodeGenString* _stringLiteral3774183263; extern Il2CppCodeGenString* _stringLiteral2839790660; extern Il2CppCodeGenString* _stringLiteral3211887564; extern Il2CppCodeGenString* _stringLiteral2306848127; extern Il2CppCodeGenString* _stringLiteral4209174355; extern const uint32_t WindowsIdentity_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m1877162132_MetadataUsageId; extern "C" void WindowsIdentity_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m1877162132 (WindowsIdentity_t4008973414 * __this, Il2CppObject * ___sender, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (WindowsIdentity_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m1877162132_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; { SerializationInfo_t2995724695 * L_0 = __this->get__info_5(); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_1 = Type_GetTypeFromHandle_m3806905434(NULL /*static, unused*/, LoadTypeToken(IntPtr_t_0_0_0_var), /*hidden argument*/NULL); NullCheck(L_0); Il2CppObject * L_2 = SerializationInfo_GetValue_m4125471336(L_0, _stringLiteral541105052, L_1, /*hidden argument*/NULL); __this->set__token_0(((*(IntPtr_t*)((IntPtr_t*)UnBox (L_2, IntPtr_t_il2cpp_TypeInfo_var))))); SerializationInfo_t2995724695 * L_3 = __this->get__info_5(); NullCheck(L_3); String_t* L_4 = SerializationInfo_GetString_m52579033(L_3, _stringLiteral3211685661, /*hidden argument*/NULL); __this->set__name_4(L_4); String_t* L_5 = __this->get__name_4(); if (!L_5) { goto IL_0073; } } { IntPtr_t L_6 = __this->get__token_0(); IL2CPP_RUNTIME_CLASS_INIT(WindowsIdentity_t4008973414_il2cpp_TypeInfo_var); String_t* L_7 = WindowsIdentity_GetTokenName_m2587745703(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); V_0 = L_7; String_t* L_8 = V_0; String_t* L_9 = __this->get__name_4(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_10 = String_op_Inequality_m2125462205(NULL /*static, unused*/, L_8, L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_006e; } } { SerializationException_t731558744 * L_11 = (SerializationException_t731558744 *)il2cpp_codegen_object_new(SerializationException_t731558744_il2cpp_TypeInfo_var); SerializationException__ctor_m4216356480(L_11, _stringLiteral3774183263, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11); } IL_006e: { goto IL_00af; } IL_0073: { IntPtr_t L_12 = __this->get__token_0(); IL2CPP_RUNTIME_CLASS_INIT(WindowsIdentity_t4008973414_il2cpp_TypeInfo_var); String_t* L_13 = WindowsIdentity_GetTokenName_m2587745703(NULL /*static, unused*/, L_12, /*hidden argument*/NULL); __this->set__name_4(L_13); String_t* L_14 = __this->get__name_4(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_15 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); bool L_16 = String_op_Equality_m1260523650(NULL /*static, unused*/, L_14, L_15, /*hidden argument*/NULL); if (L_16) { goto IL_00a4; } } { String_t* L_17 = __this->get__name_4(); if (L_17) { goto IL_00af; } } IL_00a4: { SerializationException_t731558744 * L_18 = (SerializationException_t731558744 *)il2cpp_codegen_object_new(SerializationException_t731558744_il2cpp_TypeInfo_var); SerializationException__ctor_m4216356480(L_18, _stringLiteral2839790660, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_18); } IL_00af: { SerializationInfo_t2995724695 * L_19 = __this->get__info_5(); NullCheck(L_19); String_t* L_20 = SerializationInfo_GetString_m52579033(L_19, _stringLiteral3211887564, /*hidden argument*/NULL); __this->set__type_1(L_20); SerializationInfo_t2995724695 * L_21 = __this->get__info_5(); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_22 = Type_GetTypeFromHandle_m3806905434(NULL /*static, unused*/, LoadTypeToken(WindowsAccountType_t1400432841_0_0_0_var), /*hidden argument*/NULL); NullCheck(L_21); Il2CppObject * L_23 = SerializationInfo_GetValue_m4125471336(L_21, _stringLiteral2306848127, L_22, /*hidden argument*/NULL); __this->set__account_2(((*(int32_t*)((int32_t*)UnBox (L_23, Int32_t2847414787_il2cpp_TypeInfo_var))))); SerializationInfo_t2995724695 * L_24 = __this->get__info_5(); NullCheck(L_24); bool L_25 = SerializationInfo_GetBoolean_m1462266865(L_24, _stringLiteral4209174355, /*hidden argument*/NULL); __this->set__authenticated_3(L_25); return; } } // System.Void System.Security.Principal.WindowsIdentity::System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) extern TypeInfo* IntPtr_t_il2cpp_TypeInfo_var; extern TypeInfo* WindowsAccountType_t1400432841_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral541105052; extern Il2CppCodeGenString* _stringLiteral3211685661; extern Il2CppCodeGenString* _stringLiteral3211887564; extern Il2CppCodeGenString* _stringLiteral2306848127; extern Il2CppCodeGenString* _stringLiteral4209174355; extern const uint32_t WindowsIdentity_System_Runtime_Serialization_ISerializable_GetObjectData_m3559271593_MetadataUsageId; extern "C" void WindowsIdentity_System_Runtime_Serialization_ISerializable_GetObjectData_m3559271593 (WindowsIdentity_t4008973414 * __this, SerializationInfo_t2995724695 * ___info, StreamingContext_t986364934 ___context, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (WindowsIdentity_System_Runtime_Serialization_ISerializable_GetObjectData_m3559271593_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SerializationInfo_t2995724695 * L_0 = ___info; IntPtr_t L_1 = __this->get__token_0(); IntPtr_t L_2 = L_1; Il2CppObject * L_3 = Box(IntPtr_t_il2cpp_TypeInfo_var, &L_2); NullCheck(L_0); SerializationInfo_AddValue_m469120675(L_0, _stringLiteral541105052, L_3, /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_4 = ___info; String_t* L_5 = __this->get__name_4(); NullCheck(L_4); SerializationInfo_AddValue_m469120675(L_4, _stringLiteral3211685661, L_5, /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_6 = ___info; String_t* L_7 = __this->get__type_1(); NullCheck(L_6); SerializationInfo_AddValue_m469120675(L_6, _stringLiteral3211887564, L_7, /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_8 = ___info; int32_t L_9 = __this->get__account_2(); int32_t L_10 = L_9; Il2CppObject * L_11 = Box(WindowsAccountType_t1400432841_il2cpp_TypeInfo_var, &L_10); NullCheck(L_8); SerializationInfo_AddValue_m469120675(L_8, _stringLiteral2306848127, L_11, /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_12 = ___info; bool L_13 = __this->get__authenticated_3(); NullCheck(L_12); SerializationInfo_AddValue_m3573408328(L_12, _stringLiteral4209174355, L_13, /*hidden argument*/NULL); return; } } // System.Void System.Security.Principal.WindowsIdentity::Dispose() extern TypeInfo* IntPtr_t_il2cpp_TypeInfo_var; extern const uint32_t WindowsIdentity_Dispose_m2952357727_MetadataUsageId; extern "C" void WindowsIdentity_Dispose_m2952357727 (WindowsIdentity_t4008973414 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (WindowsIdentity_Dispose_m2952357727_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IntPtr_t L_0 = ((IntPtr_t_StaticFields*)IntPtr_t_il2cpp_TypeInfo_var->static_fields)->get_Zero_1(); __this->set__token_0(L_0); return; } } // System.IntPtr System.Security.Principal.WindowsIdentity::GetCurrentToken() extern "C" IntPtr_t WindowsIdentity_GetCurrentToken_m3719460523 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { using namespace il2cpp::icalls; typedef IntPtr_t (*WindowsIdentity_GetCurrentToken_m3719460523_ftn) (); return ((WindowsIdentity_GetCurrentToken_m3719460523_ftn)mscorlib::System::Security::Principal::WindowsIdentity::GetCurrentToken) (); } // System.String System.Security.Principal.WindowsIdentity::GetTokenName(System.IntPtr) extern "C" String_t* WindowsIdentity_GetTokenName_m2587745703 (Il2CppObject * __this /* static, unused */, IntPtr_t ___token, const MethodInfo* method) { using namespace il2cpp::icalls; typedef String_t* (*WindowsIdentity_GetTokenName_m2587745703_ftn) (IntPtr_t); return ((WindowsIdentity_GetTokenName_m2587745703_ftn)mscorlib::System::Security::Principal::WindowsIdentity::GetTokenName) (___token); } // Conversion methods for marshalling of: System.Security.RuntimeDeclSecurityEntry extern "C" void RuntimeDeclSecurityEntry_t2302558261_marshal_pinvoke(const RuntimeDeclSecurityEntry_t2302558261& unmarshaled, RuntimeDeclSecurityEntry_t2302558261_marshaled_pinvoke& marshaled) { marshaled.___blob_0 = reinterpret_cast<intptr_t>((unmarshaled.get_blob_0()).get_m_value_0()); marshaled.___size_1 = unmarshaled.get_size_1(); marshaled.___index_2 = unmarshaled.get_index_2(); } extern "C" void RuntimeDeclSecurityEntry_t2302558261_marshal_pinvoke_back(const RuntimeDeclSecurityEntry_t2302558261_marshaled_pinvoke& marshaled, RuntimeDeclSecurityEntry_t2302558261& unmarshaled) { IntPtr_t unmarshaled_blob_temp; memset(&unmarshaled_blob_temp, 0, sizeof(unmarshaled_blob_temp)); IntPtr_t unmarshaled_blob_temp_temp; unmarshaled_blob_temp_temp.set_m_value_0(reinterpret_cast<void*>((intptr_t)marshaled.___blob_0)); unmarshaled_blob_temp = unmarshaled_blob_temp_temp; unmarshaled.set_blob_0(unmarshaled_blob_temp); int32_t unmarshaled_size_temp = 0; unmarshaled_size_temp = marshaled.___size_1; unmarshaled.set_size_1(unmarshaled_size_temp); int32_t unmarshaled_index_temp = 0; unmarshaled_index_temp = marshaled.___index_2; unmarshaled.set_index_2(unmarshaled_index_temp); } // Conversion method for clean up from marshalling of: System.Security.RuntimeDeclSecurityEntry extern "C" void RuntimeDeclSecurityEntry_t2302558261_marshal_pinvoke_cleanup(RuntimeDeclSecurityEntry_t2302558261_marshaled_pinvoke& marshaled) { } // Conversion methods for marshalling of: System.Security.RuntimeDeclSecurityEntry extern "C" void RuntimeDeclSecurityEntry_t2302558261_marshal_com(const RuntimeDeclSecurityEntry_t2302558261& unmarshaled, RuntimeDeclSecurityEntry_t2302558261_marshaled_com& marshaled) { marshaled.___blob_0 = reinterpret_cast<intptr_t>((unmarshaled.get_blob_0()).get_m_value_0()); marshaled.___size_1 = unmarshaled.get_size_1(); marshaled.___index_2 = unmarshaled.get_index_2(); } extern "C" void RuntimeDeclSecurityEntry_t2302558261_marshal_com_back(const RuntimeDeclSecurityEntry_t2302558261_marshaled_com& marshaled, RuntimeDeclSecurityEntry_t2302558261& unmarshaled) { IntPtr_t unmarshaled_blob_temp; memset(&unmarshaled_blob_temp, 0, sizeof(unmarshaled_blob_temp)); IntPtr_t unmarshaled_blob_temp_temp; unmarshaled_blob_temp_temp.set_m_value_0(reinterpret_cast<void*>((intptr_t)marshaled.___blob_0)); unmarshaled_blob_temp = unmarshaled_blob_temp_temp; unmarshaled.set_blob_0(unmarshaled_blob_temp); int32_t unmarshaled_size_temp = 0; unmarshaled_size_temp = marshaled.___size_1; unmarshaled.set_size_1(unmarshaled_size_temp); int32_t unmarshaled_index_temp = 0; unmarshaled_index_temp = marshaled.___index_2; unmarshaled.set_index_2(unmarshaled_index_temp); } // Conversion method for clean up from marshalling of: System.Security.RuntimeDeclSecurityEntry extern "C" void RuntimeDeclSecurityEntry_t2302558261_marshal_com_cleanup(RuntimeDeclSecurityEntry_t2302558261_marshaled_com& marshaled) { } // System.Void System.Security.SecureString::.cctor() extern "C" void SecureString__cctor_m382198898 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { { return; } } // System.Int32 System.Security.SecureString::get_Length() extern TypeInfo* ObjectDisposedException_t973246880_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral769017480; extern const uint32_t SecureString_get_Length_m1561445012_MetadataUsageId; extern "C" int32_t SecureString_get_Length_m1561445012 (SecureString_t4183656205 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecureString_get_Length_m1561445012_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = __this->get_disposed_1(); if (!L_0) { goto IL_0016; } } { ObjectDisposedException_t973246880 * L_1 = (ObjectDisposedException_t973246880 *)il2cpp_codegen_object_new(ObjectDisposedException_t973246880_il2cpp_TypeInfo_var); ObjectDisposedException__ctor_m1180707260(L_1, _stringLiteral769017480, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0016: { int32_t L_2 = __this->get_length_0(); return L_2; } } // System.Void System.Security.SecureString::Dispose() extern "C" void SecureString_Dispose_m921627672 (SecureString_t4183656205 * __this, const MethodInfo* method) { { __this->set_disposed_1((bool)1); ByteU5BU5D_t58506160* L_0 = __this->get_data_2(); if (!L_0) { goto IL_002d; } } { ByteU5BU5D_t58506160* L_1 = __this->get_data_2(); ByteU5BU5D_t58506160* L_2 = __this->get_data_2(); NullCheck(L_2); Array_Clear_m2499577033(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_1, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_2)->max_length)))), /*hidden argument*/NULL); __this->set_data_2((ByteU5BU5D_t58506160*)NULL); } IL_002d: { __this->set_length_0(0); return; } } // System.Void System.Security.SecureString::Encrypt() extern "C" void SecureString_Encrypt_m2284519134 (SecureString_t4183656205 * __this, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = __this->get_data_2(); if (!L_0) { goto IL_0019; } } { ByteU5BU5D_t58506160* L_1 = __this->get_data_2(); NullCheck(L_1); if ((((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_1)->max_length))))) <= ((int32_t)0))) { goto IL_0019; } } IL_0019: { return; } } // System.Void System.Security.SecureString::Decrypt() extern "C" void SecureString_Decrypt_m1291582470 (SecureString_t4183656205 * __this, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = __this->get_data_2(); if (!L_0) { goto IL_0019; } } { ByteU5BU5D_t58506160* L_1 = __this->get_data_2(); NullCheck(L_1); if ((((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_1)->max_length))))) <= ((int32_t)0))) { goto IL_0019; } } IL_0019: { return; } } // System.Byte[] System.Security.SecureString::GetBuffer() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t SecureString_GetBuffer_m3693850629_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* SecureString_GetBuffer_m3693850629 (SecureString_t4183656205 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecureString_GetBuffer_m3693850629_MetadataUsageId); s_Il2CppMethodIntialized = true; } ByteU5BU5D_t58506160* V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { int32_t L_0 = __this->get_length_0(); V_0 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)((int32_t)L_0<<(int32_t)1)))); } IL_000e: try { // begin try (depth: 1) SecureString_Decrypt_m1291582470(__this, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_1 = __this->get_data_2(); ByteU5BU5D_t58506160* L_2 = V_0; ByteU5BU5D_t58506160* L_3 = V_0; NullCheck(L_3); Buffer_BlockCopy_m1580643184(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_1, 0, (Il2CppArray *)(Il2CppArray *)L_2, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_3)->max_length)))), /*hidden argument*/NULL); IL2CPP_LEAVE(0x31, FINALLY_002a); } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_002a; } FINALLY_002a: { // begin finally (depth: 1) SecureString_Encrypt_m2284519134(__this, /*hidden argument*/NULL); IL2CPP_END_FINALLY(42) } // end finally (depth: 1) IL2CPP_CLEANUP(42) { IL2CPP_JUMP_TBL(0x31, IL_0031) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0031: { ByteU5BU5D_t58506160* L_4 = V_0; return L_4; } } // System.Void System.Security.SecurityContext::.ctor() extern "C" void SecurityContext__ctor_m2890261396 (SecurityContext_t794732212 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.SecurityContext::.ctor(System.Security.SecurityContext) extern "C" void SecurityContext__ctor_m1345715454 (SecurityContext_t794732212 * __this, SecurityContext_t794732212 * ___sc, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); __this->set__capture_0((bool)1); SecurityContext_t794732212 * L_0 = ___sc; NullCheck(L_0); IntPtr_t L_1 = L_0->get__winid_1(); __this->set__winid_1(L_1); SecurityContext_t794732212 * L_2 = ___sc; NullCheck(L_2); CompressedStack_t2946347082 * L_3 = L_2->get__stack_2(); if (!L_3) { goto IL_0035; } } { SecurityContext_t794732212 * L_4 = ___sc; NullCheck(L_4); CompressedStack_t2946347082 * L_5 = L_4->get__stack_2(); NullCheck(L_5); CompressedStack_t2946347082 * L_6 = CompressedStack_CreateCopy_m2704662702(L_5, /*hidden argument*/NULL); __this->set__stack_2(L_6); } IL_0035: { return; } } // System.Security.SecurityContext System.Security.SecurityContext::Capture() extern TypeInfo* Thread_t1674723085_il2cpp_TypeInfo_var; extern TypeInfo* SecurityContext_t794732212_il2cpp_TypeInfo_var; extern TypeInfo* WindowsIdentity_t4008973414_il2cpp_TypeInfo_var; extern const uint32_t SecurityContext_Capture_m3640798635_MetadataUsageId; extern "C" SecurityContext_t794732212 * SecurityContext_Capture_m3640798635 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityContext_Capture_m3640798635_MetadataUsageId); s_Il2CppMethodIntialized = true; } SecurityContext_t794732212 * V_0 = NULL; SecurityContext_t794732212 * V_1 = NULL; { IL2CPP_RUNTIME_CLASS_INIT(Thread_t1674723085_il2cpp_TypeInfo_var); Thread_t1674723085 * L_0 = Thread_get_CurrentThread_m1523593825(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_0); ExecutionContext_t3375439994 * L_1 = Thread_get_ExecutionContext_m1683588744(L_0, /*hidden argument*/NULL); NullCheck(L_1); SecurityContext_t794732212 * L_2 = ExecutionContext_get_SecurityContext_m2311120735(L_1, /*hidden argument*/NULL); V_0 = L_2; SecurityContext_t794732212 * L_3 = V_0; NullCheck(L_3); bool L_4 = SecurityContext_get_FlowSuppressed_m2046518873(L_3, /*hidden argument*/NULL); if (!L_4) { goto IL_001d; } } { return (SecurityContext_t794732212 *)NULL; } IL_001d: { SecurityContext_t794732212 * L_5 = (SecurityContext_t794732212 *)il2cpp_codegen_object_new(SecurityContext_t794732212_il2cpp_TypeInfo_var); SecurityContext__ctor_m2890261396(L_5, /*hidden argument*/NULL); V_1 = L_5; SecurityContext_t794732212 * L_6 = V_1; NullCheck(L_6); L_6->set__capture_0((bool)1); SecurityContext_t794732212 * L_7 = V_1; IL2CPP_RUNTIME_CLASS_INIT(WindowsIdentity_t4008973414_il2cpp_TypeInfo_var); IntPtr_t L_8 = WindowsIdentity_GetCurrentToken_m3719460523(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_7); L_7->set__winid_1(L_8); SecurityContext_t794732212 * L_9 = V_1; CompressedStack_t2946347082 * L_10 = CompressedStack_Capture_m4188936939(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_9); L_9->set__stack_2(L_10); SecurityContext_t794732212 * L_11 = V_1; return L_11; } } // System.Boolean System.Security.SecurityContext::get_FlowSuppressed() extern "C" bool SecurityContext_get_FlowSuppressed_m2046518873 (SecurityContext_t794732212 * __this, const MethodInfo* method) { { bool L_0 = __this->get__suppressFlow_4(); return L_0; } } // System.Threading.CompressedStack System.Security.SecurityContext::get_CompressedStack() extern "C" CompressedStack_t2946347082 * SecurityContext_get_CompressedStack_m649521097 (SecurityContext_t794732212 * __this, const MethodInfo* method) { { CompressedStack_t2946347082 * L_0 = __this->get__stack_2(); return L_0; } } // System.Void System.Security.SecurityCriticalAttribute::.ctor() extern "C" void SecurityCriticalAttribute__ctor_m2297330502 (SecurityCriticalAttribute_t2046183106 * __this, const MethodInfo* method) { { Attribute__ctor_m2985353781(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.SecurityElement::.ctor(System.String) extern "C" void SecurityElement__ctor_m3616501115 (SecurityElement_t2475331585 * __this, String_t* ___tag, const MethodInfo* method) { { String_t* L_0 = ___tag; SecurityElement__ctor_m2591154807(__this, L_0, (String_t*)NULL, /*hidden argument*/NULL); return; } } // System.Void System.Security.SecurityElement::.ctor(System.String,System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral114586; extern Il2CppCodeGenString* _stringLiteral1200255555; extern Il2CppCodeGenString* _stringLiteral1830; extern const uint32_t SecurityElement__ctor_m2591154807_MetadataUsageId; extern "C" void SecurityElement__ctor_m2591154807 (SecurityElement_t2475331585 * __this, String_t* ___tag, String_t* ___text, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement__ctor_m2591154807_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); String_t* L_0 = ___tag; if (L_0) { goto IL_0017; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral114586, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0017: { String_t* L_2 = ___tag; IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); bool L_3 = SecurityElement_IsValidTag_m3543842271(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); if (L_3) { goto IL_003d; } } { String_t* L_4 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1200255555, /*hidden argument*/NULL); String_t* L_5 = ___tag; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_6 = String_Concat_m1825781833(NULL /*static, unused*/, L_4, _stringLiteral1830, L_5, /*hidden argument*/NULL); ArgumentException_t124305799 * L_7 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_7, L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_003d: { String_t* L_8 = ___tag; __this->set_tag_1(L_8); String_t* L_9 = ___text; SecurityElement_set_Text_m2824457339(__this, L_9, /*hidden argument*/NULL); return; } } // System.Void System.Security.SecurityElement::.cctor() extern TypeInfo* CharU5BU5D_t3416858730_il2cpp_TypeInfo_var; extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D60_48_FieldInfo_var; extern const uint32_t SecurityElement__cctor_m429967270_MetadataUsageId; extern "C" void SecurityElement__cctor_m429967270 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement__cctor_m429967270_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)3)); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint16_t)((int32_t)32)); CharU5BU5D_t3416858730* L_1 = L_0; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 1); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint16_t)((int32_t)60)); CharU5BU5D_t3416858730* L_2 = L_1; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 2); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint16_t)((int32_t)62)); ((SecurityElement_t2475331585_StaticFields*)SecurityElement_t2475331585_il2cpp_TypeInfo_var->static_fields)->set_invalid_tag_chars_4(L_2); CharU5BU5D_t3416858730* L_3 = ((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)2)); NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 0); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint16_t)((int32_t)60)); CharU5BU5D_t3416858730* L_4 = L_3; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 1); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint16_t)((int32_t)62)); ((SecurityElement_t2475331585_StaticFields*)SecurityElement_t2475331585_il2cpp_TypeInfo_var->static_fields)->set_invalid_text_chars_5(L_4); CharU5BU5D_t3416858730* L_5 = ((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)3)); NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, 0); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint16_t)((int32_t)32)); CharU5BU5D_t3416858730* L_6 = L_5; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 1); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint16_t)((int32_t)60)); CharU5BU5D_t3416858730* L_7 = L_6; NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, 2); (L_7)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint16_t)((int32_t)62)); ((SecurityElement_t2475331585_StaticFields*)SecurityElement_t2475331585_il2cpp_TypeInfo_var->static_fields)->set_invalid_attr_name_chars_6(L_7); CharU5BU5D_t3416858730* L_8 = ((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)3)); NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, 0); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint16_t)((int32_t)34)); CharU5BU5D_t3416858730* L_9 = L_8; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, 1); (L_9)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint16_t)((int32_t)60)); CharU5BU5D_t3416858730* L_10 = L_9; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 2); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint16_t)((int32_t)62)); ((SecurityElement_t2475331585_StaticFields*)SecurityElement_t2475331585_il2cpp_TypeInfo_var->static_fields)->set_invalid_attr_value_chars_7(L_10); CharU5BU5D_t3416858730* L_11 = ((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)5)); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_11, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D60_48_FieldInfo_var), /*hidden argument*/NULL); ((SecurityElement_t2475331585_StaticFields*)SecurityElement_t2475331585_il2cpp_TypeInfo_var->static_fields)->set_invalid_chars_8(L_11); return; } } // System.Collections.ArrayList System.Security.SecurityElement::get_Children() extern "C" ArrayList_t2121638921 * SecurityElement_get_Children_m3662285689 (SecurityElement_t2475331585 * __this, const MethodInfo* method) { { ArrayList_t2121638921 * L_0 = __this->get_children_3(); return L_0; } } // System.String System.Security.SecurityElement::get_Tag() extern "C" String_t* SecurityElement_get_Tag_m1611173913 (SecurityElement_t2475331585 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get_tag_1(); return L_0; } } // System.Void System.Security.SecurityElement::set_Text(System.String) extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1200255555; extern Il2CppCodeGenString* _stringLiteral1830; extern const uint32_t SecurityElement_set_Text_m2824457339_MetadataUsageId; extern "C" void SecurityElement_set_Text_m2824457339 (SecurityElement_t2475331585 * __this, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_set_Text_m2824457339_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___value; if (!L_0) { goto IL_002c; } } { String_t* L_1 = ___value; IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); bool L_2 = SecurityElement_IsValidText_m2889048252(NULL /*static, unused*/, L_1, /*hidden argument*/NULL); if (L_2) { goto IL_002c; } } { String_t* L_3 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1200255555, /*hidden argument*/NULL); String_t* L_4 = ___value; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_5 = String_Concat_m1825781833(NULL /*static, unused*/, L_3, _stringLiteral1830, L_4, /*hidden argument*/NULL); ArgumentException_t124305799 * L_6 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_6, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_002c: { String_t* L_7 = ___value; IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); String_t* L_8 = SecurityElement_Unescape_m249625582(NULL /*static, unused*/, L_7, /*hidden argument*/NULL); __this->set_text_0(L_8); return; } } // System.Void System.Security.SecurityElement::AddAttribute(System.String,System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* ArrayList_t2121638921_il2cpp_TypeInfo_var; extern TypeInfo* SecurityAttribute_t3835542300_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3373707; extern Il2CppCodeGenString* _stringLiteral111972721; extern Il2CppCodeGenString* _stringLiteral1235056703; extern const uint32_t SecurityElement_AddAttribute_m979045638_MetadataUsageId; extern "C" void SecurityElement_AddAttribute_m979045638 (SecurityElement_t2475331585 * __this, String_t* ___name, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_AddAttribute_m979045638_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___name; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral3373707, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { String_t* L_2 = ___value; if (L_2) { goto IL_0022; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0022: { String_t* L_4 = ___name; SecurityAttribute_t3835542300 * L_5 = SecurityElement_GetAttribute_m3634791704(__this, L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_0044; } } { String_t* L_6 = ___name; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_7 = String_Concat_m138640077(NULL /*static, unused*/, _stringLiteral1235056703, L_6, /*hidden argument*/NULL); String_t* L_8 = Locale_GetText_m2389348044(NULL /*static, unused*/, L_7, /*hidden argument*/NULL); ArgumentException_t124305799 * L_9 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_9, L_8, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_0044: { ArrayList_t2121638921 * L_10 = __this->get_attributes_2(); if (L_10) { goto IL_005a; } } { ArrayList_t2121638921 * L_11 = (ArrayList_t2121638921 *)il2cpp_codegen_object_new(ArrayList_t2121638921_il2cpp_TypeInfo_var); ArrayList__ctor_m1878432947(L_11, /*hidden argument*/NULL); __this->set_attributes_2(L_11); } IL_005a: { ArrayList_t2121638921 * L_12 = __this->get_attributes_2(); String_t* L_13 = ___name; String_t* L_14 = ___value; SecurityAttribute_t3835542300 * L_15 = (SecurityAttribute_t3835542300 *)il2cpp_codegen_object_new(SecurityAttribute_t3835542300_il2cpp_TypeInfo_var); SecurityAttribute__ctor_m3979866052(L_15, L_13, L_14, /*hidden argument*/NULL); NullCheck(L_12); VirtFuncInvoker1< int32_t, Il2CppObject * >::Invoke(30 /* System.Int32 System.Collections.ArrayList::Add(System.Object) */, L_12, L_15); return; } } // System.Void System.Security.SecurityElement::AddChild(System.Security.SecurityElement) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArrayList_t2121638921_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94631196; extern const uint32_t SecurityElement_AddChild_m17363117_MetadataUsageId; extern "C" void SecurityElement_AddChild_m17363117 (SecurityElement_t2475331585 * __this, SecurityElement_t2475331585 * ___child, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_AddChild_m17363117_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SecurityElement_t2475331585 * L_0 = ___child; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94631196, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ArrayList_t2121638921 * L_2 = __this->get_children_3(); if (L_2) { goto IL_0027; } } { ArrayList_t2121638921 * L_3 = (ArrayList_t2121638921 *)il2cpp_codegen_object_new(ArrayList_t2121638921_il2cpp_TypeInfo_var); ArrayList__ctor_m1878432947(L_3, /*hidden argument*/NULL); __this->set_children_3(L_3); } IL_0027: { ArrayList_t2121638921 * L_4 = __this->get_children_3(); SecurityElement_t2475331585 * L_5 = ___child; NullCheck(L_4); VirtFuncInvoker1< int32_t, Il2CppObject * >::Invoke(30 /* System.Int32 System.Collections.ArrayList::Add(System.Object) */, L_4, L_5); return; } } // System.String System.Security.SecurityElement::Escape(System.String) extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1239501; extern Il2CppCodeGenString* _stringLiteral1234696; extern Il2CppCodeGenString* _stringLiteral1195861484; extern Il2CppCodeGenString* _stringLiteral1180936162; extern Il2CppCodeGenString* _stringLiteral38091805; extern const uint32_t SecurityElement_Escape_m855150247_MetadataUsageId; extern "C" String_t* SecurityElement_Escape_m855150247 (Il2CppObject * __this /* static, unused */, String_t* ___str, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_Escape_m855150247_MetadataUsageId); s_Il2CppMethodIntialized = true; } StringBuilder_t3822575854 * V_0 = NULL; int32_t V_1 = 0; int32_t V_2 = 0; uint16_t V_3 = 0x0; uint16_t V_4 = 0x0; { String_t* L_0 = ___str; if (L_0) { goto IL_0008; } } { return (String_t*)NULL; } IL_0008: { String_t* L_1 = ___str; IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); CharU5BU5D_t3416858730* L_2 = ((SecurityElement_t2475331585_StaticFields*)SecurityElement_t2475331585_il2cpp_TypeInfo_var->static_fields)->get_invalid_chars_8(); NullCheck(L_1); int32_t L_3 = String_IndexOfAny_m3660242324(L_1, L_2, /*hidden argument*/NULL); if ((!(((uint32_t)L_3) == ((uint32_t)(-1))))) { goto IL_001b; } } { String_t* L_4 = ___str; return L_4; } IL_001b: { StringBuilder_t3822575854 * L_5 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m135953004(L_5, /*hidden argument*/NULL); V_0 = L_5; String_t* L_6 = ___str; NullCheck(L_6); int32_t L_7 = String_get_Length_m2979997331(L_6, /*hidden argument*/NULL); V_1 = L_7; V_2 = 0; goto IL_00dd; } IL_002f: { String_t* L_8 = ___str; int32_t L_9 = V_2; NullCheck(L_8); uint16_t L_10 = String_get_Chars_m3015341861(L_8, L_9, /*hidden argument*/NULL); V_3 = L_10; uint16_t L_11 = V_3; V_4 = L_11; uint16_t L_12 = V_4; if (((int32_t)((int32_t)L_12-(int32_t)((int32_t)34))) == 0) { goto IL_0099; } if (((int32_t)((int32_t)L_12-(int32_t)((int32_t)34))) == 1) { goto IL_005c; } if (((int32_t)((int32_t)L_12-(int32_t)((int32_t)34))) == 2) { goto IL_005c; } if (((int32_t)((int32_t)L_12-(int32_t)((int32_t)34))) == 3) { goto IL_005c; } if (((int32_t)((int32_t)L_12-(int32_t)((int32_t)34))) == 4) { goto IL_00bb; } if (((int32_t)((int32_t)L_12-(int32_t)((int32_t)34))) == 5) { goto IL_00aa; } } IL_005c: { uint16_t L_13 = V_4; if (((int32_t)((int32_t)L_13-(int32_t)((int32_t)60))) == 0) { goto IL_0077; } if (((int32_t)((int32_t)L_13-(int32_t)((int32_t)60))) == 1) { goto IL_00cc; } if (((int32_t)((int32_t)L_13-(int32_t)((int32_t)60))) == 2) { goto IL_0088; } } { goto IL_00cc; } IL_0077: { StringBuilder_t3822575854 * L_14 = V_0; NullCheck(L_14); StringBuilder_Append_m3898090075(L_14, _stringLiteral1239501, /*hidden argument*/NULL); goto IL_00d9; } IL_0088: { StringBuilder_t3822575854 * L_15 = V_0; NullCheck(L_15); StringBuilder_Append_m3898090075(L_15, _stringLiteral1234696, /*hidden argument*/NULL); goto IL_00d9; } IL_0099: { StringBuilder_t3822575854 * L_16 = V_0; NullCheck(L_16); StringBuilder_Append_m3898090075(L_16, _stringLiteral1195861484, /*hidden argument*/NULL); goto IL_00d9; } IL_00aa: { StringBuilder_t3822575854 * L_17 = V_0; NullCheck(L_17); StringBuilder_Append_m3898090075(L_17, _stringLiteral1180936162, /*hidden argument*/NULL); goto IL_00d9; } IL_00bb: { StringBuilder_t3822575854 * L_18 = V_0; NullCheck(L_18); StringBuilder_Append_m3898090075(L_18, _stringLiteral38091805, /*hidden argument*/NULL); goto IL_00d9; } IL_00cc: { StringBuilder_t3822575854 * L_19 = V_0; uint16_t L_20 = V_3; NullCheck(L_19); StringBuilder_Append_m2143093878(L_19, L_20, /*hidden argument*/NULL); goto IL_00d9; } IL_00d9: { int32_t L_21 = V_2; V_2 = ((int32_t)((int32_t)L_21+(int32_t)1)); } IL_00dd: { int32_t L_22 = V_2; int32_t L_23 = V_1; if ((((int32_t)L_22) < ((int32_t)L_23))) { goto IL_002f; } } { StringBuilder_t3822575854 * L_24 = V_0; NullCheck(L_24); String_t* L_25 = StringBuilder_ToString_m350379841(L_24, /*hidden argument*/NULL); return L_25; } } // System.String System.Security.SecurityElement::Unescape(System.String) extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1239501; extern Il2CppCodeGenString* _stringLiteral60; extern Il2CppCodeGenString* _stringLiteral1234696; extern Il2CppCodeGenString* _stringLiteral62; extern Il2CppCodeGenString* _stringLiteral38091805; extern Il2CppCodeGenString* _stringLiteral38; extern Il2CppCodeGenString* _stringLiteral1195861484; extern Il2CppCodeGenString* _stringLiteral34; extern Il2CppCodeGenString* _stringLiteral1180936162; extern Il2CppCodeGenString* _stringLiteral39; extern const uint32_t SecurityElement_Unescape_m249625582_MetadataUsageId; extern "C" String_t* SecurityElement_Unescape_m249625582 (Il2CppObject * __this /* static, unused */, String_t* ___str, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_Unescape_m249625582_MetadataUsageId); s_Il2CppMethodIntialized = true; } StringBuilder_t3822575854 * V_0 = NULL; { String_t* L_0 = ___str; if (L_0) { goto IL_0008; } } { return (String_t*)NULL; } IL_0008: { String_t* L_1 = ___str; StringBuilder_t3822575854 * L_2 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m1143895062(L_2, L_1, /*hidden argument*/NULL); V_0 = L_2; StringBuilder_t3822575854 * L_3 = V_0; NullCheck(L_3); StringBuilder_Replace_m118777941(L_3, _stringLiteral1239501, _stringLiteral60, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_4 = V_0; NullCheck(L_4); StringBuilder_Replace_m118777941(L_4, _stringLiteral1234696, _stringLiteral62, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_5 = V_0; NullCheck(L_5); StringBuilder_Replace_m118777941(L_5, _stringLiteral38091805, _stringLiteral38, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_6 = V_0; NullCheck(L_6); StringBuilder_Replace_m118777941(L_6, _stringLiteral1195861484, _stringLiteral34, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_7 = V_0; NullCheck(L_7); StringBuilder_Replace_m118777941(L_7, _stringLiteral1180936162, _stringLiteral39, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_8 = V_0; NullCheck(L_8); String_t* L_9 = StringBuilder_ToString_m350379841(L_8, /*hidden argument*/NULL); return L_9; } } // System.Boolean System.Security.SecurityElement::IsValidAttributeName(System.String) extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern const uint32_t SecurityElement_IsValidAttributeName_m190948498_MetadataUsageId; extern "C" bool SecurityElement_IsValidAttributeName_m190948498 (Il2CppObject * __this /* static, unused */, String_t* ___name, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_IsValidAttributeName_m190948498_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t G_B3_0 = 0; { String_t* L_0 = ___name; if (!L_0) { goto IL_0016; } } { String_t* L_1 = ___name; IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); CharU5BU5D_t3416858730* L_2 = ((SecurityElement_t2475331585_StaticFields*)SecurityElement_t2475331585_il2cpp_TypeInfo_var->static_fields)->get_invalid_attr_name_chars_6(); NullCheck(L_1); int32_t L_3 = String_IndexOfAny_m3660242324(L_1, L_2, /*hidden argument*/NULL); G_B3_0 = ((((int32_t)L_3) == ((int32_t)(-1)))? 1 : 0); goto IL_0017; } IL_0016: { G_B3_0 = 0; } IL_0017: { return (bool)G_B3_0; } } // System.Boolean System.Security.SecurityElement::IsValidAttributeValue(System.String) extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern const uint32_t SecurityElement_IsValidAttributeValue_m1458092724_MetadataUsageId; extern "C" bool SecurityElement_IsValidAttributeValue_m1458092724 (Il2CppObject * __this /* static, unused */, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_IsValidAttributeValue_m1458092724_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t G_B3_0 = 0; { String_t* L_0 = ___value; if (!L_0) { goto IL_0016; } } { String_t* L_1 = ___value; IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); CharU5BU5D_t3416858730* L_2 = ((SecurityElement_t2475331585_StaticFields*)SecurityElement_t2475331585_il2cpp_TypeInfo_var->static_fields)->get_invalid_attr_value_chars_7(); NullCheck(L_1); int32_t L_3 = String_IndexOfAny_m3660242324(L_1, L_2, /*hidden argument*/NULL); G_B3_0 = ((((int32_t)L_3) == ((int32_t)(-1)))? 1 : 0); goto IL_0017; } IL_0016: { G_B3_0 = 0; } IL_0017: { return (bool)G_B3_0; } } // System.Boolean System.Security.SecurityElement::IsValidTag(System.String) extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern const uint32_t SecurityElement_IsValidTag_m3543842271_MetadataUsageId; extern "C" bool SecurityElement_IsValidTag_m3543842271 (Il2CppObject * __this /* static, unused */, String_t* ___tag, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_IsValidTag_m3543842271_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t G_B3_0 = 0; { String_t* L_0 = ___tag; if (!L_0) { goto IL_0016; } } { String_t* L_1 = ___tag; IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); CharU5BU5D_t3416858730* L_2 = ((SecurityElement_t2475331585_StaticFields*)SecurityElement_t2475331585_il2cpp_TypeInfo_var->static_fields)->get_invalid_tag_chars_4(); NullCheck(L_1); int32_t L_3 = String_IndexOfAny_m3660242324(L_1, L_2, /*hidden argument*/NULL); G_B3_0 = ((((int32_t)L_3) == ((int32_t)(-1)))? 1 : 0); goto IL_0017; } IL_0016: { G_B3_0 = 0; } IL_0017: { return (bool)G_B3_0; } } // System.Boolean System.Security.SecurityElement::IsValidText(System.String) extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern const uint32_t SecurityElement_IsValidText_m2889048252_MetadataUsageId; extern "C" bool SecurityElement_IsValidText_m2889048252 (Il2CppObject * __this /* static, unused */, String_t* ___text, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_IsValidText_m2889048252_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t G_B3_0 = 0; { String_t* L_0 = ___text; if (!L_0) { goto IL_0016; } } { String_t* L_1 = ___text; IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); CharU5BU5D_t3416858730* L_2 = ((SecurityElement_t2475331585_StaticFields*)SecurityElement_t2475331585_il2cpp_TypeInfo_var->static_fields)->get_invalid_text_chars_5(); NullCheck(L_1); int32_t L_3 = String_IndexOfAny_m3660242324(L_1, L_2, /*hidden argument*/NULL); G_B3_0 = ((((int32_t)L_3) == ((int32_t)(-1)))? 1 : 0); goto IL_0017; } IL_0016: { G_B3_0 = 0; } IL_0017: { return (bool)G_B3_0; } } // System.Security.SecurityElement System.Security.SecurityElement::SearchForChildByTag(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral114586; extern const uint32_t SecurityElement_SearchForChildByTag_m1597451503_MetadataUsageId; extern "C" SecurityElement_t2475331585 * SecurityElement_SearchForChildByTag_m1597451503 (SecurityElement_t2475331585 * __this, String_t* ___tag, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_SearchForChildByTag_m1597451503_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; SecurityElement_t2475331585 * V_1 = NULL; { String_t* L_0 = ___tag; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral114586, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ArrayList_t2121638921 * L_2 = __this->get_children_3(); if (L_2) { goto IL_001e; } } { return (SecurityElement_t2475331585 *)NULL; } IL_001e: { V_0 = 0; goto IL_004e; } IL_0025: { ArrayList_t2121638921 * L_3 = __this->get_children_3(); int32_t L_4 = V_0; NullCheck(L_3); Il2CppObject * L_5 = VirtFuncInvoker1< Il2CppObject *, int32_t >::Invoke(21 /* System.Object System.Collections.ArrayList::get_Item(System.Int32) */, L_3, L_4); V_1 = ((SecurityElement_t2475331585 *)CastclassSealed(L_5, SecurityElement_t2475331585_il2cpp_TypeInfo_var)); SecurityElement_t2475331585 * L_6 = V_1; NullCheck(L_6); String_t* L_7 = L_6->get_tag_1(); String_t* L_8 = ___tag; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_9 = String_op_Equality_m1260523650(NULL /*static, unused*/, L_7, L_8, /*hidden argument*/NULL); if (!L_9) { goto IL_004a; } } { SecurityElement_t2475331585 * L_10 = V_1; return L_10; } IL_004a: { int32_t L_11 = V_0; V_0 = ((int32_t)((int32_t)L_11+(int32_t)1)); } IL_004e: { int32_t L_12 = V_0; ArrayList_t2121638921 * L_13 = __this->get_children_3(); NullCheck(L_13); int32_t L_14 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_13); if ((((int32_t)L_12) < ((int32_t)L_14))) { goto IL_0025; } } { return (SecurityElement_t2475331585 *)NULL; } } // System.String System.Security.SecurityElement::ToString() extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern const uint32_t SecurityElement_ToString_m1891938598_MetadataUsageId; extern "C" String_t* SecurityElement_ToString_m1891938598 (SecurityElement_t2475331585 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_ToString_m1891938598_MetadataUsageId); s_Il2CppMethodIntialized = true; } StringBuilder_t3822575854 * V_0 = NULL; { StringBuilder_t3822575854 * L_0 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m135953004(L_0, /*hidden argument*/NULL); V_0 = L_0; SecurityElement_ToXml_m2446329140(__this, (&V_0), 0, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_1 = V_0; NullCheck(L_1); String_t* L_2 = StringBuilder_ToString_m350379841(L_1, /*hidden argument*/NULL); return L_2; } } // System.Void System.Security.SecurityElement::ToXml(System.Text.StringBuilder&,System.Int32) extern TypeInfo* SecurityAttribute_t3835542300_il2cpp_TypeInfo_var; extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* IEnumerator_t287207039_il2cpp_TypeInfo_var; extern TypeInfo* IDisposable_t1628921374_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral60; extern Il2CppCodeGenString* _stringLiteral32; extern Il2CppCodeGenString* _stringLiteral1925; extern Il2CppCodeGenString* _stringLiteral34; extern Il2CppCodeGenString* _stringLiteral1519; extern Il2CppCodeGenString* _stringLiteral62; extern Il2CppCodeGenString* _stringLiteral1907; extern const uint32_t SecurityElement_ToXml_m2446329140_MetadataUsageId; extern "C" void SecurityElement_ToXml_m2446329140 (SecurityElement_t2475331585 * __this, StringBuilder_t3822575854 ** ___s, int32_t ___level, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_ToXml_m2446329140_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; SecurityAttribute_t3835542300 * V_1 = NULL; SecurityElement_t2475331585 * V_2 = NULL; Il2CppObject * V_3 = NULL; Il2CppObject * V_4 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { StringBuilder_t3822575854 ** L_0 = ___s; NullCheck((*((StringBuilder_t3822575854 **)L_0))); StringBuilder_Append_m3898090075((*((StringBuilder_t3822575854 **)L_0)), _stringLiteral60, /*hidden argument*/NULL); StringBuilder_t3822575854 ** L_1 = ___s; String_t* L_2 = __this->get_tag_1(); NullCheck((*((StringBuilder_t3822575854 **)L_1))); StringBuilder_Append_m3898090075((*((StringBuilder_t3822575854 **)L_1)), L_2, /*hidden argument*/NULL); ArrayList_t2121638921 * L_3 = __this->get_attributes_2(); if (!L_3) { goto IL_00b3; } } { StringBuilder_t3822575854 ** L_4 = ___s; NullCheck((*((StringBuilder_t3822575854 **)L_4))); StringBuilder_Append_m3898090075((*((StringBuilder_t3822575854 **)L_4)), _stringLiteral32, /*hidden argument*/NULL); V_0 = 0; goto IL_00a2; } IL_003a: { ArrayList_t2121638921 * L_5 = __this->get_attributes_2(); int32_t L_6 = V_0; NullCheck(L_5); Il2CppObject * L_7 = VirtFuncInvoker1< Il2CppObject *, int32_t >::Invoke(21 /* System.Object System.Collections.ArrayList::get_Item(System.Int32) */, L_5, L_6); V_1 = ((SecurityAttribute_t3835542300 *)CastclassClass(L_7, SecurityAttribute_t3835542300_il2cpp_TypeInfo_var)); StringBuilder_t3822575854 ** L_8 = ___s; SecurityAttribute_t3835542300 * L_9 = V_1; NullCheck(L_9); String_t* L_10 = SecurityAttribute_get_Name_m1633103259(L_9, /*hidden argument*/NULL); NullCheck((*((StringBuilder_t3822575854 **)L_8))); StringBuilder_t3822575854 * L_11 = StringBuilder_Append_m3898090075((*((StringBuilder_t3822575854 **)L_8)), L_10, /*hidden argument*/NULL); NullCheck(L_11); StringBuilder_t3822575854 * L_12 = StringBuilder_Append_m3898090075(L_11, _stringLiteral1925, /*hidden argument*/NULL); SecurityAttribute_t3835542300 * L_13 = V_1; NullCheck(L_13); String_t* L_14 = SecurityAttribute_get_Value_m1891267395(L_13, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); String_t* L_15 = SecurityElement_Escape_m855150247(NULL /*static, unused*/, L_14, /*hidden argument*/NULL); NullCheck(L_12); StringBuilder_t3822575854 * L_16 = StringBuilder_Append_m3898090075(L_12, L_15, /*hidden argument*/NULL); NullCheck(L_16); StringBuilder_Append_m3898090075(L_16, _stringLiteral34, /*hidden argument*/NULL); int32_t L_17 = V_0; ArrayList_t2121638921 * L_18 = __this->get_attributes_2(); NullCheck(L_18); int32_t L_19 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_18); if ((((int32_t)L_17) == ((int32_t)((int32_t)((int32_t)L_19-(int32_t)1))))) { goto IL_009e; } } { StringBuilder_t3822575854 ** L_20 = ___s; String_t* L_21 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck((*((StringBuilder_t3822575854 **)L_20))); StringBuilder_Append_m3898090075((*((StringBuilder_t3822575854 **)L_20)), L_21, /*hidden argument*/NULL); } IL_009e: { int32_t L_22 = V_0; V_0 = ((int32_t)((int32_t)L_22+(int32_t)1)); } IL_00a2: { int32_t L_23 = V_0; ArrayList_t2121638921 * L_24 = __this->get_attributes_2(); NullCheck(L_24); int32_t L_25 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_24); if ((((int32_t)L_23) < ((int32_t)L_25))) { goto IL_003a; } } IL_00b3: { String_t* L_26 = __this->get_text_0(); if (!L_26) { goto IL_00d3; } } { String_t* L_27 = __this->get_text_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_28 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); bool L_29 = String_op_Equality_m1260523650(NULL /*static, unused*/, L_27, L_28, /*hidden argument*/NULL); if (!L_29) { goto IL_010a; } } IL_00d3: { ArrayList_t2121638921 * L_30 = __this->get_children_3(); if (!L_30) { goto IL_00ee; } } { ArrayList_t2121638921 * L_31 = __this->get_children_3(); NullCheck(L_31); int32_t L_32 = VirtFuncInvoker0< int32_t >::Invoke(23 /* System.Int32 System.Collections.ArrayList::get_Count() */, L_31); if (L_32) { goto IL_010a; } } IL_00ee: { StringBuilder_t3822575854 ** L_33 = ___s; NullCheck((*((StringBuilder_t3822575854 **)L_33))); StringBuilder_t3822575854 * L_34 = StringBuilder_Append_m3898090075((*((StringBuilder_t3822575854 **)L_33)), _stringLiteral1519, /*hidden argument*/NULL); String_t* L_35 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_34); StringBuilder_Append_m3898090075(L_34, L_35, /*hidden argument*/NULL); goto IL_01b7; } IL_010a: { StringBuilder_t3822575854 ** L_36 = ___s; NullCheck((*((StringBuilder_t3822575854 **)L_36))); StringBuilder_t3822575854 * L_37 = StringBuilder_Append_m3898090075((*((StringBuilder_t3822575854 **)L_36)), _stringLiteral62, /*hidden argument*/NULL); String_t* L_38 = __this->get_text_0(); IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); String_t* L_39 = SecurityElement_Escape_m855150247(NULL /*static, unused*/, L_38, /*hidden argument*/NULL); NullCheck(L_37); StringBuilder_Append_m3898090075(L_37, L_39, /*hidden argument*/NULL); ArrayList_t2121638921 * L_40 = __this->get_children_3(); if (!L_40) { goto IL_018b; } } { StringBuilder_t3822575854 ** L_41 = ___s; String_t* L_42 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck((*((StringBuilder_t3822575854 **)L_41))); StringBuilder_Append_m3898090075((*((StringBuilder_t3822575854 **)L_41)), L_42, /*hidden argument*/NULL); ArrayList_t2121638921 * L_43 = __this->get_children_3(); NullCheck(L_43); Il2CppObject * L_44 = VirtFuncInvoker0< Il2CppObject * >::Invoke(43 /* System.Collections.IEnumerator System.Collections.ArrayList::GetEnumerator() */, L_43); V_3 = L_44; } IL_014b: try { // begin try (depth: 1) { goto IL_0166; } IL_0150: { Il2CppObject * L_45 = V_3; NullCheck(L_45); Il2CppObject * L_46 = InterfaceFuncInvoker0< Il2CppObject * >::Invoke(0 /* System.Object System.Collections.IEnumerator::get_Current() */, IEnumerator_t287207039_il2cpp_TypeInfo_var, L_45); V_2 = ((SecurityElement_t2475331585 *)CastclassSealed(L_46, SecurityElement_t2475331585_il2cpp_TypeInfo_var)); SecurityElement_t2475331585 * L_47 = V_2; StringBuilder_t3822575854 ** L_48 = ___s; int32_t L_49 = ___level; NullCheck(L_47); SecurityElement_ToXml_m2446329140(L_47, L_48, ((int32_t)((int32_t)L_49+(int32_t)1)), /*hidden argument*/NULL); } IL_0166: { Il2CppObject * L_50 = V_3; NullCheck(L_50); bool L_51 = InterfaceFuncInvoker0< bool >::Invoke(1 /* System.Boolean System.Collections.IEnumerator::MoveNext() */, IEnumerator_t287207039_il2cpp_TypeInfo_var, L_50); if (L_51) { goto IL_0150; } } IL_0171: { IL2CPP_LEAVE(0x18B, FINALLY_0176); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0176; } FINALLY_0176: { // begin finally (depth: 1) { Il2CppObject * L_52 = V_3; V_4 = ((Il2CppObject *)IsInst(L_52, IDisposable_t1628921374_il2cpp_TypeInfo_var)); Il2CppObject * L_53 = V_4; if (L_53) { goto IL_0183; } } IL_0182: { IL2CPP_END_FINALLY(374) } IL_0183: { Il2CppObject * L_54 = V_4; NullCheck(L_54); InterfaceActionInvoker0::Invoke(0 /* System.Void System.IDisposable::Dispose() */, IDisposable_t1628921374_il2cpp_TypeInfo_var, L_54); IL2CPP_END_FINALLY(374) } } // end finally (depth: 1) IL2CPP_CLEANUP(374) { IL2CPP_JUMP_TBL(0x18B, IL_018b) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_018b: { StringBuilder_t3822575854 ** L_55 = ___s; NullCheck((*((StringBuilder_t3822575854 **)L_55))); StringBuilder_t3822575854 * L_56 = StringBuilder_Append_m3898090075((*((StringBuilder_t3822575854 **)L_55)), _stringLiteral1907, /*hidden argument*/NULL); String_t* L_57 = __this->get_tag_1(); NullCheck(L_56); StringBuilder_t3822575854 * L_58 = StringBuilder_Append_m3898090075(L_56, L_57, /*hidden argument*/NULL); NullCheck(L_58); StringBuilder_t3822575854 * L_59 = StringBuilder_Append_m3898090075(L_58, _stringLiteral62, /*hidden argument*/NULL); String_t* L_60 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_59); StringBuilder_Append_m3898090075(L_59, L_60, /*hidden argument*/NULL); } IL_01b7: { return; } } // System.Security.SecurityElement/SecurityAttribute System.Security.SecurityElement::GetAttribute(System.String) extern TypeInfo* IEnumerator_t287207039_il2cpp_TypeInfo_var; extern TypeInfo* SecurityAttribute_t3835542300_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* IDisposable_t1628921374_il2cpp_TypeInfo_var; extern const uint32_t SecurityElement_GetAttribute_m3634791704_MetadataUsageId; extern "C" SecurityAttribute_t3835542300 * SecurityElement_GetAttribute_m3634791704 (SecurityElement_t2475331585 * __this, String_t* ___name, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityElement_GetAttribute_m3634791704_MetadataUsageId); s_Il2CppMethodIntialized = true; } SecurityAttribute_t3835542300 * V_0 = NULL; Il2CppObject * V_1 = NULL; SecurityAttribute_t3835542300 * V_2 = NULL; Il2CppObject * V_3 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { ArrayList_t2121638921 * L_0 = __this->get_attributes_2(); if (!L_0) { goto IL_0062; } } { ArrayList_t2121638921 * L_1 = __this->get_attributes_2(); NullCheck(L_1); Il2CppObject * L_2 = VirtFuncInvoker0< Il2CppObject * >::Invoke(43 /* System.Collections.IEnumerator System.Collections.ArrayList::GetEnumerator() */, L_1); V_1 = L_2; } IL_0017: try { // begin try (depth: 1) { goto IL_0040; } IL_001c: { Il2CppObject * L_3 = V_1; NullCheck(L_3); Il2CppObject * L_4 = InterfaceFuncInvoker0< Il2CppObject * >::Invoke(0 /* System.Object System.Collections.IEnumerator::get_Current() */, IEnumerator_t287207039_il2cpp_TypeInfo_var, L_3); V_0 = ((SecurityAttribute_t3835542300 *)CastclassClass(L_4, SecurityAttribute_t3835542300_il2cpp_TypeInfo_var)); SecurityAttribute_t3835542300 * L_5 = V_0; NullCheck(L_5); String_t* L_6 = SecurityAttribute_get_Name_m1633103259(L_5, /*hidden argument*/NULL); String_t* L_7 = ___name; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_8 = String_op_Equality_m1260523650(NULL /*static, unused*/, L_6, L_7, /*hidden argument*/NULL); if (!L_8) { goto IL_0040; } } IL_0039: { SecurityAttribute_t3835542300 * L_9 = V_0; V_2 = L_9; IL2CPP_LEAVE(0x64, FINALLY_0050); } IL_0040: { Il2CppObject * L_10 = V_1; NullCheck(L_10); bool L_11 = InterfaceFuncInvoker0< bool >::Invoke(1 /* System.Boolean System.Collections.IEnumerator::MoveNext() */, IEnumerator_t287207039_il2cpp_TypeInfo_var, L_10); if (L_11) { goto IL_001c; } } IL_004b: { IL2CPP_LEAVE(0x62, FINALLY_0050); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0050; } FINALLY_0050: { // begin finally (depth: 1) { Il2CppObject * L_12 = V_1; V_3 = ((Il2CppObject *)IsInst(L_12, IDisposable_t1628921374_il2cpp_TypeInfo_var)); Il2CppObject * L_13 = V_3; if (L_13) { goto IL_005b; } } IL_005a: { IL2CPP_END_FINALLY(80) } IL_005b: { Il2CppObject * L_14 = V_3; NullCheck(L_14); InterfaceActionInvoker0::Invoke(0 /* System.Void System.IDisposable::Dispose() */, IDisposable_t1628921374_il2cpp_TypeInfo_var, L_14); IL2CPP_END_FINALLY(80) } } // end finally (depth: 1) IL2CPP_CLEANUP(80) { IL2CPP_JUMP_TBL(0x64, IL_0064) IL2CPP_JUMP_TBL(0x62, IL_0062) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0062: { return (SecurityAttribute_t3835542300 *)NULL; } IL_0064: { SecurityAttribute_t3835542300 * L_15 = V_2; return L_15; } } // System.Void System.Security.SecurityElement/SecurityAttribute::.ctor(System.String,System.String) extern TypeInfo* SecurityElement_t2475331585_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1149092289; extern Il2CppCodeGenString* _stringLiteral1830; extern Il2CppCodeGenString* _stringLiteral1269510395; extern const uint32_t SecurityAttribute__ctor_m3979866052_MetadataUsageId; extern "C" void SecurityAttribute__ctor_m3979866052 (SecurityAttribute_t3835542300 * __this, String_t* ___name, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityAttribute__ctor_m3979866052_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); String_t* L_0 = ___name; IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); bool L_1 = SecurityElement_IsValidAttributeName_m190948498(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); if (L_1) { goto IL_002c; } } { String_t* L_2 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1149092289, /*hidden argument*/NULL); String_t* L_3 = ___name; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_4 = String_Concat_m1825781833(NULL /*static, unused*/, L_2, _stringLiteral1830, L_3, /*hidden argument*/NULL); ArgumentException_t124305799 * L_5 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_5, L_4, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_002c: { String_t* L_6 = ___value; IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); bool L_7 = SecurityElement_IsValidAttributeValue_m1458092724(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); if (L_7) { goto IL_0052; } } { String_t* L_8 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1269510395, /*hidden argument*/NULL); String_t* L_9 = ___value; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_10 = String_Concat_m1825781833(NULL /*static, unused*/, L_8, _stringLiteral1830, L_9, /*hidden argument*/NULL); ArgumentException_t124305799 * L_11 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_11, L_10, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11); } IL_0052: { String_t* L_12 = ___name; __this->set__name_0(L_12); String_t* L_13 = ___value; IL2CPP_RUNTIME_CLASS_INIT(SecurityElement_t2475331585_il2cpp_TypeInfo_var); String_t* L_14 = SecurityElement_Unescape_m249625582(NULL /*static, unused*/, L_13, /*hidden argument*/NULL); __this->set__value_1(L_14); return; } } // System.String System.Security.SecurityElement/SecurityAttribute::get_Name() extern "C" String_t* SecurityAttribute_get_Name_m1633103259 (SecurityAttribute_t3835542300 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get__name_0(); return L_0; } } // System.String System.Security.SecurityElement/SecurityAttribute::get_Value() extern "C" String_t* SecurityAttribute_get_Value_m1891267395 (SecurityAttribute_t3835542300 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get__value_1(); return L_0; } } // System.Void System.Security.SecurityException::.ctor() extern Il2CppCodeGenString* _stringLiteral1279293207; extern const uint32_t SecurityException__ctor_m4184458484_MetadataUsageId; extern "C" void SecurityException__ctor_m4184458484 (SecurityException_t128786772 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityException__ctor_m4184458484_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral1279293207, /*hidden argument*/NULL); SystemException__ctor_m3697314481(__this, L_0, /*hidden argument*/NULL); Exception_set_HResult_m3566571225(__this, ((int32_t)-2146233078), /*hidden argument*/NULL); return; } } // System.Void System.Security.SecurityException::.ctor(System.String) extern "C" void SecurityException__ctor_m1163560590 (SecurityException_t128786772 * __this, String_t* ___message, const MethodInfo* method) { { String_t* L_0 = ___message; SystemException__ctor_m3697314481(__this, L_0, /*hidden argument*/NULL); Exception_set_HResult_m3566571225(__this, ((int32_t)-2146233078), /*hidden argument*/NULL); return; } } // System.Void System.Security.SecurityException::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1665339362; extern const uint32_t SecurityException__ctor_m1779937333_MetadataUsageId; extern "C" void SecurityException__ctor_m1779937333 (SecurityException_t128786772 * __this, SerializationInfo_t2995724695 * ___info, StreamingContext_t986364934 ___context, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityException__ctor_m1779937333_MetadataUsageId); s_Il2CppMethodIntialized = true; } SerializationInfoEnumerator_t1298671611 * V_0 = NULL; { SerializationInfo_t2995724695 * L_0 = ___info; StreamingContext_t986364934 L_1 = ___context; SystemException__ctor_m2083527090(__this, L_0, L_1, /*hidden argument*/NULL); Exception_set_HResult_m3566571225(__this, ((int32_t)-2146233078), /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_2 = ___info; NullCheck(L_2); SerializationInfoEnumerator_t1298671611 * L_3 = SerializationInfo_GetEnumerator_m2631907363(L_2, /*hidden argument*/NULL); V_0 = L_3; goto IL_004a; } IL_001f: { SerializationInfoEnumerator_t1298671611 * L_4 = V_0; NullCheck(L_4); String_t* L_5 = SerializationInfoEnumerator_get_Name_m4156977240(L_4, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_6 = String_op_Equality_m1260523650(NULL /*static, unused*/, L_5, _stringLiteral1665339362, /*hidden argument*/NULL); if (!L_6) { goto IL_004a; } } { SerializationInfoEnumerator_t1298671611 * L_7 = V_0; NullCheck(L_7); Il2CppObject * L_8 = SerializationInfoEnumerator_get_Value_m4259496148(L_7, /*hidden argument*/NULL); __this->set_permissionState_11(((String_t*)CastclassSealed(L_8, String_t_il2cpp_TypeInfo_var))); goto IL_0055; } IL_004a: { SerializationInfoEnumerator_t1298671611 * L_9 = V_0; NullCheck(L_9); bool L_10 = SerializationInfoEnumerator_MoveNext_m4116766855(L_9, /*hidden argument*/NULL); if (L_10) { goto IL_001f; } } IL_0055: { return; } } // System.Object System.Security.SecurityException::get_Demanded() extern "C" Il2CppObject * SecurityException_get_Demanded_m370801454 (SecurityException_t128786772 * __this, const MethodInfo* method) { { Il2CppObject * L_0 = __this->get__demanded_15(); return L_0; } } // System.Security.IPermission System.Security.SecurityException::get_FirstPermissionThatFailed() extern "C" Il2CppObject * SecurityException_get_FirstPermissionThatFailed_m4208204342 (SecurityException_t128786772 * __this, const MethodInfo* method) { { Il2CppObject * L_0 = __this->get__firstperm_16(); return L_0; } } // System.String System.Security.SecurityException::get_PermissionState() extern "C" String_t* SecurityException_get_PermissionState_m2560577038 (SecurityException_t128786772 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get_permissionState_11(); return L_0; } } // System.Type System.Security.SecurityException::get_PermissionType() extern "C" Type_t * SecurityException_get_PermissionType_m2335749224 (SecurityException_t128786772 * __this, const MethodInfo* method) { { Type_t * L_0 = __this->get_permissionType_12(); return L_0; } } // System.String System.Security.SecurityException::get_GrantedSet() extern "C" String_t* SecurityException_get_GrantedSet_m3460059773 (SecurityException_t128786772 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get__granted_13(); return L_0; } } // System.String System.Security.SecurityException::get_RefusedSet() extern "C" String_t* SecurityException_get_RefusedSet_m4272843656 (SecurityException_t128786772 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get__refused_14(); return L_0; } } // System.Void System.Security.SecurityException::GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) extern TypeInfo* SecurityException_t128786772_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1665339362; extern const uint32_t SecurityException_GetObjectData_m2715021970_MetadataUsageId; extern "C" void SecurityException_GetObjectData_m2715021970 (SecurityException_t128786772 * __this, SerializationInfo_t2995724695 * ___info, StreamingContext_t986364934 ___context, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityException_GetObjectData_m2715021970_MetadataUsageId); s_Il2CppMethodIntialized = true; } Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { SerializationInfo_t2995724695 * L_0 = ___info; StreamingContext_t986364934 L_1 = ___context; Exception_GetObjectData_m1945031808(__this, L_0, L_1, /*hidden argument*/NULL); } IL_0008: try { // begin try (depth: 1) SerializationInfo_t2995724695 * L_2 = ___info; String_t* L_3 = SecurityException_get_PermissionState_m2560577038(__this, /*hidden argument*/NULL); NullCheck(L_2); SerializationInfo_AddValue_m469120675(L_2, _stringLiteral1665339362, L_3, /*hidden argument*/NULL); goto IL_0024; } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (SecurityException_t128786772_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_001e; throw e; } CATCH_001e: { // begin catch(System.Security.SecurityException) goto IL_0024; } // end catch (depth: 1) IL_0024: { return; } } // System.String System.Security.SecurityException::ToString() extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern TypeInfo* IEnumerator_t287207039_il2cpp_TypeInfo_var; extern TypeInfo* Hash_t1993822729_il2cpp_TypeInfo_var; extern TypeInfo* IDisposable_t1628921374_il2cpp_TypeInfo_var; extern TypeInfo* SecurityException_t128786772_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2035281183; extern Il2CppCodeGenString* _stringLiteral32; extern Il2CppCodeGenString* _stringLiteral1477445749; extern Il2CppCodeGenString* _stringLiteral620783480; extern Il2CppCodeGenString* _stringLiteral1343755662; extern Il2CppCodeGenString* _stringLiteral2156539545; extern Il2CppCodeGenString* _stringLiteral2998261295; extern Il2CppCodeGenString* _stringLiteral4116803319; extern Il2CppCodeGenString* _stringLiteral3844454630; extern Il2CppCodeGenString* _stringLiteral3278797702; extern const uint32_t SecurityException_ToString_m3022084793_MetadataUsageId; extern "C" String_t* SecurityException_ToString_m3022084793 (SecurityException_t128786772 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityException_ToString_m3022084793_MetadataUsageId); s_Il2CppMethodIntialized = true; } StringBuilder_t3822575854 * V_0 = NULL; String_t* V_1 = NULL; int32_t V_2 = 0; Il2CppObject * V_3 = NULL; Il2CppObject * V_4 = NULL; Il2CppObject * V_5 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { String_t* L_0 = Exception_ToString_m1076460401(__this, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_1 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m1143895062(L_1, L_0, /*hidden argument*/NULL); V_0 = L_1; } IL_000c: try { // begin try (depth: 1) { Type_t * L_2 = __this->get_permissionType_12(); if (!L_2) { goto IL_002e; } } IL_0017: { StringBuilder_t3822575854 * L_3 = V_0; String_t* L_4 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); Type_t * L_5 = SecurityException_get_PermissionType_m2335749224(__this, /*hidden argument*/NULL); NullCheck(L_3); StringBuilder_AppendFormat_m3487355136(L_3, _stringLiteral2035281183, L_4, L_5, /*hidden argument*/NULL); } IL_002e: { MethodInfo_t * L_6 = __this->get__method_17(); if (!L_6) { goto IL_0098; } } IL_0039: { MethodInfo_t * L_7 = __this->get__method_17(); NullCheck(L_7); String_t* L_8 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_7); V_1 = L_8; String_t* L_9 = V_1; NullCheck(L_9); int32_t L_10 = String_IndexOf_m1476794331(L_9, _stringLiteral32, /*hidden argument*/NULL); V_2 = ((int32_t)((int32_t)L_10+(int32_t)1)); StringBuilder_t3822575854 * L_11 = V_0; ObjectU5BU5D_t11523773* L_12 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)4)); String_t* L_13 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, 0); ArrayElementTypeCheck (L_12, L_13); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_13); ObjectU5BU5D_t11523773* L_14 = L_12; MethodInfo_t * L_15 = __this->get__method_17(); NullCheck(L_15); Type_t * L_16 = VirtFuncInvoker0< Type_t * >::Invoke(31 /* System.Type System.Reflection.MethodInfo::get_ReturnType() */, L_15); NullCheck(L_16); String_t* L_17 = VirtFuncInvoker0< String_t* >::Invoke(8 /* System.String System.Reflection.MemberInfo::get_Name() */, L_16); NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, 1); ArrayElementTypeCheck (L_14, L_17); (L_14)->SetAt(static_cast<il2cpp_array_size_t>(1), (Il2CppObject *)L_17); ObjectU5BU5D_t11523773* L_18 = L_14; MethodInfo_t * L_19 = __this->get__method_17(); NullCheck(L_19); Type_t * L_20 = VirtFuncInvoker0< Type_t * >::Invoke(9 /* System.Type System.Reflection.MemberInfo::get_ReflectedType() */, L_19); NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, 2); ArrayElementTypeCheck (L_18, L_20); (L_18)->SetAt(static_cast<il2cpp_array_size_t>(2), (Il2CppObject *)L_20); ObjectU5BU5D_t11523773* L_21 = L_18; String_t* L_22 = V_1; int32_t L_23 = V_2; NullCheck(L_22); String_t* L_24 = String_Substring_m2809233063(L_22, L_23, /*hidden argument*/NULL); NullCheck(L_21); IL2CPP_ARRAY_BOUNDS_CHECK(L_21, 3); ArrayElementTypeCheck (L_21, L_24); (L_21)->SetAt(static_cast<il2cpp_array_size_t>(3), (Il2CppObject *)L_24); NullCheck(L_11); StringBuilder_AppendFormat_m279545936(L_11, _stringLiteral1477445749, L_21, /*hidden argument*/NULL); } IL_0098: { String_t* L_25 = __this->get_permissionState_11(); if (!L_25) { goto IL_00ba; } } IL_00a3: { StringBuilder_t3822575854 * L_26 = V_0; String_t* L_27 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); String_t* L_28 = SecurityException_get_PermissionState_m2560577038(__this, /*hidden argument*/NULL); NullCheck(L_26); StringBuilder_AppendFormat_m3487355136(L_26, _stringLiteral620783480, L_27, L_28, /*hidden argument*/NULL); } IL_00ba: { String_t* L_29 = __this->get__granted_13(); if (!L_29) { goto IL_00ed; } } IL_00c5: { String_t* L_30 = __this->get__granted_13(); NullCheck(L_30); int32_t L_31 = String_get_Length_m2979997331(L_30, /*hidden argument*/NULL); if ((((int32_t)L_31) <= ((int32_t)0))) { goto IL_00ed; } } IL_00d6: { StringBuilder_t3822575854 * L_32 = V_0; String_t* L_33 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); String_t* L_34 = SecurityException_get_GrantedSet_m3460059773(__this, /*hidden argument*/NULL); NullCheck(L_32); StringBuilder_AppendFormat_m3487355136(L_32, _stringLiteral1343755662, L_33, L_34, /*hidden argument*/NULL); } IL_00ed: { String_t* L_35 = __this->get__refused_14(); if (!L_35) { goto IL_0120; } } IL_00f8: { String_t* L_36 = __this->get__refused_14(); NullCheck(L_36); int32_t L_37 = String_get_Length_m2979997331(L_36, /*hidden argument*/NULL); if ((((int32_t)L_37) <= ((int32_t)0))) { goto IL_0120; } } IL_0109: { StringBuilder_t3822575854 * L_38 = V_0; String_t* L_39 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); String_t* L_40 = SecurityException_get_RefusedSet_m4272843656(__this, /*hidden argument*/NULL); NullCheck(L_38); StringBuilder_AppendFormat_m3487355136(L_38, _stringLiteral2156539545, L_39, L_40, /*hidden argument*/NULL); } IL_0120: { Il2CppObject * L_41 = __this->get__demanded_15(); if (!L_41) { goto IL_0142; } } IL_012b: { StringBuilder_t3822575854 * L_42 = V_0; String_t* L_43 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); Il2CppObject * L_44 = SecurityException_get_Demanded_m370801454(__this, /*hidden argument*/NULL); NullCheck(L_42); StringBuilder_AppendFormat_m3487355136(L_42, _stringLiteral2998261295, L_43, L_44, /*hidden argument*/NULL); } IL_0142: { Il2CppObject * L_45 = __this->get__firstperm_16(); if (!L_45) { goto IL_0164; } } IL_014d: { StringBuilder_t3822575854 * L_46 = V_0; String_t* L_47 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); Il2CppObject * L_48 = SecurityException_get_FirstPermissionThatFailed_m4208204342(__this, /*hidden argument*/NULL); NullCheck(L_46); StringBuilder_AppendFormat_m3487355136(L_46, _stringLiteral4116803319, L_47, L_48, /*hidden argument*/NULL); } IL_0164: { Evidence_t2439192402 * L_49 = __this->get__evidence_18(); if (!L_49) { goto IL_01de; } } IL_016f: { StringBuilder_t3822575854 * L_50 = V_0; String_t* L_51 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_50); StringBuilder_AppendFormat_m3723191730(L_50, _stringLiteral3844454630, L_51, /*hidden argument*/NULL); Evidence_t2439192402 * L_52 = __this->get__evidence_18(); NullCheck(L_52); Il2CppObject * L_53 = Evidence_GetEnumerator_m1666533534(L_52, /*hidden argument*/NULL); V_4 = L_53; } IL_018d: try { // begin try (depth: 2) { goto IL_01b7; } IL_0192: { Il2CppObject * L_54 = V_4; NullCheck(L_54); Il2CppObject * L_55 = InterfaceFuncInvoker0< Il2CppObject * >::Invoke(0 /* System.Object System.Collections.IEnumerator::get_Current() */, IEnumerator_t287207039_il2cpp_TypeInfo_var, L_54); V_3 = L_55; Il2CppObject * L_56 = V_3; if (((Hash_t1993822729 *)IsInstSealed(L_56, Hash_t1993822729_il2cpp_TypeInfo_var))) { goto IL_01b7; } } IL_01a5: { StringBuilder_t3822575854 * L_57 = V_0; String_t* L_58 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); Il2CppObject * L_59 = V_3; NullCheck(L_57); StringBuilder_AppendFormat_m3487355136(L_57, _stringLiteral3278797702, L_58, L_59, /*hidden argument*/NULL); } IL_01b7: { Il2CppObject * L_60 = V_4; NullCheck(L_60); bool L_61 = InterfaceFuncInvoker0< bool >::Invoke(1 /* System.Boolean System.Collections.IEnumerator::MoveNext() */, IEnumerator_t287207039_il2cpp_TypeInfo_var, L_60); if (L_61) { goto IL_0192; } } IL_01c3: { IL2CPP_LEAVE(0x1DE, FINALLY_01c8); } } // end try (depth: 2) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_01c8; } FINALLY_01c8: { // begin finally (depth: 2) { Il2CppObject * L_62 = V_4; V_5 = ((Il2CppObject *)IsInst(L_62, IDisposable_t1628921374_il2cpp_TypeInfo_var)); Il2CppObject * L_63 = V_5; if (L_63) { goto IL_01d6; } } IL_01d5: { IL2CPP_END_FINALLY(456) } IL_01d6: { Il2CppObject * L_64 = V_5; NullCheck(L_64); InterfaceActionInvoker0::Invoke(0 /* System.Void System.IDisposable::Dispose() */, IDisposable_t1628921374_il2cpp_TypeInfo_var, L_64); IL2CPP_END_FINALLY(456) } } // end finally (depth: 2) IL2CPP_CLEANUP(456) { IL2CPP_JUMP_TBL(0x1DE, IL_01de) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_01de: { goto IL_01e9; } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (SecurityException_t128786772_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_01e3; throw e; } CATCH_01e3: { // begin catch(System.Security.SecurityException) goto IL_01e9; } // end catch (depth: 1) IL_01e9: { StringBuilder_t3822575854 * L_65 = V_0; NullCheck(L_65); String_t* L_66 = StringBuilder_ToString_m350379841(L_65, /*hidden argument*/NULL); return L_66; } } // System.Void System.Security.SecurityFrame::.ctor(System.Security.RuntimeSecurityFrame) extern "C" void SecurityFrame__ctor_m1972945906 (SecurityFrame_t3486268018 * __this, RuntimeSecurityFrame_t3890879930 * ___frame, const MethodInfo* method) { { __this->set__domain_0((AppDomain_t1551247802 *)NULL); __this->set__method_1((MethodInfo_t *)NULL); __this->set__assert_2((PermissionSet_t2781735032 *)NULL); __this->set__deny_3((PermissionSet_t2781735032 *)NULL); __this->set__permitonly_4((PermissionSet_t2781735032 *)NULL); RuntimeSecurityFrame_t3890879930 * L_0 = ___frame; SecurityFrame_InitFromRuntimeFrame_m2623746169(__this, L_0, /*hidden argument*/NULL); return; } } // System.Array System.Security.SecurityFrame::_GetSecurityStack(System.Int32) extern "C" Il2CppArray * SecurityFrame__GetSecurityStack_m4181326791 (Il2CppObject * __this /* static, unused */, int32_t ___skip, const MethodInfo* method) { using namespace il2cpp::icalls; typedef Il2CppArray * (*SecurityFrame__GetSecurityStack_m4181326791_ftn) (int32_t); return ((SecurityFrame__GetSecurityStack_m4181326791_ftn)mscorlib::System::Security::SecurityFrame::_GetSecurityStack) (___skip); } // System.Void System.Security.SecurityFrame::InitFromRuntimeFrame(System.Security.RuntimeSecurityFrame) extern TypeInfo* SecurityManager_t678461618_il2cpp_TypeInfo_var; extern const uint32_t SecurityFrame_InitFromRuntimeFrame_m2623746169_MetadataUsageId; extern "C" void SecurityFrame_InitFromRuntimeFrame_m2623746169 (SecurityFrame_t3486268018 * __this, RuntimeSecurityFrame_t3890879930 * ___frame, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityFrame_InitFromRuntimeFrame_m2623746169_MetadataUsageId); s_Il2CppMethodIntialized = true; } { RuntimeSecurityFrame_t3890879930 * L_0 = ___frame; NullCheck(L_0); AppDomain_t1551247802 * L_1 = L_0->get_domain_0(); __this->set__domain_0(L_1); RuntimeSecurityFrame_t3890879930 * L_2 = ___frame; NullCheck(L_2); MethodInfo_t * L_3 = L_2->get_method_1(); __this->set__method_1(L_3); RuntimeSecurityFrame_t3890879930 * L_4 = ___frame; NullCheck(L_4); RuntimeDeclSecurityEntry_t2302558261 * L_5 = L_4->get_address_of_assert_2(); int32_t L_6 = L_5->get_size_1(); if ((((int32_t)L_6) <= ((int32_t)0))) { goto IL_004a; } } { RuntimeSecurityFrame_t3890879930 * L_7 = ___frame; NullCheck(L_7); RuntimeDeclSecurityEntry_t2302558261 * L_8 = L_7->get_address_of_assert_2(); IntPtr_t L_9 = L_8->get_blob_0(); RuntimeSecurityFrame_t3890879930 * L_10 = ___frame; NullCheck(L_10); RuntimeDeclSecurityEntry_t2302558261 * L_11 = L_10->get_address_of_assert_2(); int32_t L_12 = L_11->get_size_1(); IL2CPP_RUNTIME_CLASS_INIT(SecurityManager_t678461618_il2cpp_TypeInfo_var); PermissionSet_t2781735032 * L_13 = SecurityManager_Decode_m1966008144(NULL /*static, unused*/, L_9, L_12, /*hidden argument*/NULL); __this->set__assert_2(L_13); } IL_004a: { RuntimeSecurityFrame_t3890879930 * L_14 = ___frame; NullCheck(L_14); RuntimeDeclSecurityEntry_t2302558261 * L_15 = L_14->get_address_of_deny_3(); int32_t L_16 = L_15->get_size_1(); if ((((int32_t)L_16) <= ((int32_t)0))) { goto IL_007c; } } { RuntimeSecurityFrame_t3890879930 * L_17 = ___frame; NullCheck(L_17); RuntimeDeclSecurityEntry_t2302558261 * L_18 = L_17->get_address_of_deny_3(); IntPtr_t L_19 = L_18->get_blob_0(); RuntimeSecurityFrame_t3890879930 * L_20 = ___frame; NullCheck(L_20); RuntimeDeclSecurityEntry_t2302558261 * L_21 = L_20->get_address_of_deny_3(); int32_t L_22 = L_21->get_size_1(); IL2CPP_RUNTIME_CLASS_INIT(SecurityManager_t678461618_il2cpp_TypeInfo_var); PermissionSet_t2781735032 * L_23 = SecurityManager_Decode_m1966008144(NULL /*static, unused*/, L_19, L_22, /*hidden argument*/NULL); __this->set__deny_3(L_23); } IL_007c: { RuntimeSecurityFrame_t3890879930 * L_24 = ___frame; NullCheck(L_24); RuntimeDeclSecurityEntry_t2302558261 * L_25 = L_24->get_address_of_permitonly_4(); int32_t L_26 = L_25->get_size_1(); if ((((int32_t)L_26) <= ((int32_t)0))) { goto IL_00ae; } } { RuntimeSecurityFrame_t3890879930 * L_27 = ___frame; NullCheck(L_27); RuntimeDeclSecurityEntry_t2302558261 * L_28 = L_27->get_address_of_permitonly_4(); IntPtr_t L_29 = L_28->get_blob_0(); RuntimeSecurityFrame_t3890879930 * L_30 = ___frame; NullCheck(L_30); RuntimeDeclSecurityEntry_t2302558261 * L_31 = L_30->get_address_of_permitonly_4(); int32_t L_32 = L_31->get_size_1(); IL2CPP_RUNTIME_CLASS_INIT(SecurityManager_t678461618_il2cpp_TypeInfo_var); PermissionSet_t2781735032 * L_33 = SecurityManager_Decode_m1966008144(NULL /*static, unused*/, L_29, L_32, /*hidden argument*/NULL); __this->set__permitonly_4(L_33); } IL_00ae: { return; } } // System.Reflection.Assembly System.Security.SecurityFrame::get_Assembly() extern "C" Assembly_t1882292308 * SecurityFrame_get_Assembly_m2156341276 (SecurityFrame_t3486268018 * __this, const MethodInfo* method) { { MethodInfo_t * L_0 = __this->get__method_1(); NullCheck(L_0); Type_t * L_1 = VirtFuncInvoker0< Type_t * >::Invoke(9 /* System.Type System.Reflection.MemberInfo::get_ReflectedType() */, L_0); NullCheck(L_1); Assembly_t1882292308 * L_2 = VirtFuncInvoker0< Assembly_t1882292308 * >::Invoke(14 /* System.Reflection.Assembly System.Type::get_Assembly() */, L_1); return L_2; } } // System.AppDomain System.Security.SecurityFrame::get_Domain() extern "C" AppDomain_t1551247802 * SecurityFrame_get_Domain_m2707144406 (SecurityFrame_t3486268018 * __this, const MethodInfo* method) { { AppDomain_t1551247802 * L_0 = __this->get__domain_0(); return L_0; } } // System.String System.Security.SecurityFrame::ToString() extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2355810834; extern Il2CppCodeGenString* _stringLiteral1630286337; extern Il2CppCodeGenString* _stringLiteral1845018580; extern Il2CppCodeGenString* _stringLiteral3425700724; extern Il2CppCodeGenString* _stringLiteral846952058; extern Il2CppCodeGenString* _stringLiteral1615469845; extern const uint32_t SecurityFrame_ToString_m3072626007_MetadataUsageId; extern "C" String_t* SecurityFrame_ToString_m3072626007 (SecurityFrame_t3486268018 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityFrame_ToString_m3072626007_MetadataUsageId); s_Il2CppMethodIntialized = true; } StringBuilder_t3822575854 * V_0 = NULL; { StringBuilder_t3822575854 * L_0 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m135953004(L_0, /*hidden argument*/NULL); V_0 = L_0; StringBuilder_t3822575854 * L_1 = V_0; MethodInfo_t * L_2 = __this->get__method_1(); String_t* L_3 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_1); StringBuilder_AppendFormat_m3487355136(L_1, _stringLiteral2355810834, L_2, L_3, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_4 = V_0; AppDomain_t1551247802 * L_5 = SecurityFrame_get_Domain_m2707144406(__this, /*hidden argument*/NULL); String_t* L_6 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_4); StringBuilder_AppendFormat_m3487355136(L_4, _stringLiteral1630286337, L_5, L_6, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_7 = V_0; Assembly_t1882292308 * L_8 = SecurityFrame_get_Assembly_m2156341276(__this, /*hidden argument*/NULL); String_t* L_9 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_7); StringBuilder_AppendFormat_m3487355136(L_7, _stringLiteral1845018580, L_8, L_9, /*hidden argument*/NULL); PermissionSet_t2781735032 * L_10 = __this->get__assert_2(); if (!L_10) { goto IL_006d; } } { StringBuilder_t3822575854 * L_11 = V_0; PermissionSet_t2781735032 * L_12 = __this->get__assert_2(); String_t* L_13 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_11); StringBuilder_AppendFormat_m3487355136(L_11, _stringLiteral3425700724, L_12, L_13, /*hidden argument*/NULL); } IL_006d: { PermissionSet_t2781735032 * L_14 = __this->get__deny_3(); if (!L_14) { goto IL_008f; } } { StringBuilder_t3822575854 * L_15 = V_0; PermissionSet_t2781735032 * L_16 = __this->get__deny_3(); String_t* L_17 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_15); StringBuilder_AppendFormat_m3487355136(L_15, _stringLiteral846952058, L_16, L_17, /*hidden argument*/NULL); } IL_008f: { PermissionSet_t2781735032 * L_18 = __this->get__permitonly_4(); if (!L_18) { goto IL_00b1; } } { StringBuilder_t3822575854 * L_19 = V_0; PermissionSet_t2781735032 * L_20 = __this->get__permitonly_4(); String_t* L_21 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_19); StringBuilder_AppendFormat_m3487355136(L_19, _stringLiteral1615469845, L_20, L_21, /*hidden argument*/NULL); } IL_00b1: { StringBuilder_t3822575854 * L_22 = V_0; NullCheck(L_22); String_t* L_23 = StringBuilder_ToString_m350379841(L_22, /*hidden argument*/NULL); return L_23; } } // System.Collections.ArrayList System.Security.SecurityFrame::GetStack(System.Int32) extern TypeInfo* ArrayList_t2121638921_il2cpp_TypeInfo_var; extern TypeInfo* RuntimeSecurityFrame_t3890879930_il2cpp_TypeInfo_var; extern TypeInfo* SecurityFrame_t3486268018_il2cpp_TypeInfo_var; extern const uint32_t SecurityFrame_GetStack_m2712475205_MetadataUsageId; extern "C" ArrayList_t2121638921 * SecurityFrame_GetStack_m2712475205 (Il2CppObject * __this /* static, unused */, int32_t ___skipFrames, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityFrame_GetStack_m2712475205_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppArray * V_0 = NULL; ArrayList_t2121638921 * V_1 = NULL; int32_t V_2 = 0; Il2CppObject * V_3 = NULL; { int32_t L_0 = ___skipFrames; Il2CppArray * L_1 = SecurityFrame__GetSecurityStack_m4181326791(NULL /*static, unused*/, ((int32_t)((int32_t)L_0+(int32_t)2)), /*hidden argument*/NULL); V_0 = L_1; ArrayList_t2121638921 * L_2 = (ArrayList_t2121638921 *)il2cpp_codegen_object_new(ArrayList_t2121638921_il2cpp_TypeInfo_var); ArrayList__ctor_m1878432947(L_2, /*hidden argument*/NULL); V_1 = L_2; V_2 = 0; goto IL_0044; } IL_0016: { Il2CppArray * L_3 = V_0; int32_t L_4 = V_2; NullCheck(L_3); Il2CppObject * L_5 = Array_GetValue_m244209261(L_3, L_4, /*hidden argument*/NULL); V_3 = L_5; Il2CppObject * L_6 = V_3; if (L_6) { goto IL_0029; } } { goto IL_0050; } IL_0029: { ArrayList_t2121638921 * L_7 = V_1; Il2CppObject * L_8 = V_3; SecurityFrame_t3486268018 L_9; memset(&L_9, 0, sizeof(L_9)); SecurityFrame__ctor_m1972945906(&L_9, ((RuntimeSecurityFrame_t3890879930 *)CastclassClass(L_8, RuntimeSecurityFrame_t3890879930_il2cpp_TypeInfo_var)), /*hidden argument*/NULL); SecurityFrame_t3486268018 L_10 = L_9; Il2CppObject * L_11 = Box(SecurityFrame_t3486268018_il2cpp_TypeInfo_var, &L_10); NullCheck(L_7); VirtFuncInvoker1< int32_t, Il2CppObject * >::Invoke(30 /* System.Int32 System.Collections.ArrayList::Add(System.Object) */, L_7, L_11); int32_t L_12 = V_2; V_2 = ((int32_t)((int32_t)L_12+(int32_t)1)); } IL_0044: { int32_t L_13 = V_2; Il2CppArray * L_14 = V_0; NullCheck(L_14); int32_t L_15 = Array_get_Length_m1203127607(L_14, /*hidden argument*/NULL); if ((((int32_t)L_13) < ((int32_t)L_15))) { goto IL_0016; } } IL_0050: { ArrayList_t2121638921 * L_16 = V_1; return L_16; } } // System.Void System.Security.SecurityManager::.cctor() extern TypeInfo* SecurityPermission_t3919018054_il2cpp_TypeInfo_var; extern TypeInfo* SecurityManager_t678461618_il2cpp_TypeInfo_var; extern TypeInfo* Il2CppObject_il2cpp_TypeInfo_var; extern const uint32_t SecurityManager__cctor_m3992604439_MetadataUsageId; extern "C" void SecurityManager__cctor_m3992604439 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityManager__cctor_m3992604439_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SecurityPermission_t3919018054 * L_0 = (SecurityPermission_t3919018054 *)il2cpp_codegen_object_new(SecurityPermission_t3919018054_il2cpp_TypeInfo_var); SecurityPermission__ctor_m3042719510(L_0, 8, /*hidden argument*/NULL); ((SecurityManager_t678461618_StaticFields*)SecurityManager_t678461618_il2cpp_TypeInfo_var->static_fields)->set__execution_2(L_0); Il2CppObject * L_1 = (Il2CppObject *)il2cpp_codegen_object_new(Il2CppObject_il2cpp_TypeInfo_var); Object__ctor_m1772956182(L_1, /*hidden argument*/NULL); ((SecurityManager_t678461618_StaticFields*)SecurityManager_t678461618_il2cpp_TypeInfo_var->static_fields)->set__lockObject_0(L_1); return; } } // System.Boolean System.Security.SecurityManager::get_SecurityEnabled() extern "C" bool SecurityManager_get_SecurityEnabled_m2857115566 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { using namespace il2cpp::icalls; typedef bool (*SecurityManager_get_SecurityEnabled_m2857115566_ftn) (); return ((SecurityManager_get_SecurityEnabled_m2857115566_ftn)mscorlib::System::Security::SecurityManager::get_SecurityEnabled) (); } // System.Security.PermissionSet System.Security.SecurityManager::Decode(System.IntPtr,System.Int32) extern TypeInfo* SecurityManager_t678461618_il2cpp_TypeInfo_var; extern TypeInfo* Hashtable_t3875263730_il2cpp_TypeInfo_var; extern TypeInfo* Int32_t2847414787_il2cpp_TypeInfo_var; extern TypeInfo* PermissionSet_t2781735032_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern TypeInfo* Marshal_t3977632096_il2cpp_TypeInfo_var; extern const uint32_t SecurityManager_Decode_m1966008144_MetadataUsageId; extern "C" PermissionSet_t2781735032 * SecurityManager_Decode_m1966008144 (Il2CppObject * __this /* static, unused */, IntPtr_t ___permissions, int32_t ___length, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityManager_Decode_m1966008144_MetadataUsageId); s_Il2CppMethodIntialized = true; } PermissionSet_t2781735032 * V_0 = NULL; Il2CppObject * V_1 = NULL; Il2CppObject * V_2 = NULL; ByteU5BU5D_t58506160* V_3 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { V_0 = (PermissionSet_t2781735032 *)NULL; IL2CPP_RUNTIME_CLASS_INIT(SecurityManager_t678461618_il2cpp_TypeInfo_var); Il2CppObject * L_0 = ((SecurityManager_t678461618_StaticFields*)SecurityManager_t678461618_il2cpp_TypeInfo_var->static_fields)->get__lockObject_0(); V_1 = L_0; Il2CppObject * L_1 = V_1; Monitor_Enter_m476686225(NULL /*static, unused*/, L_1, /*hidden argument*/NULL); } IL_000e: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(SecurityManager_t678461618_il2cpp_TypeInfo_var); Hashtable_t3875263730 * L_2 = ((SecurityManager_t678461618_StaticFields*)SecurityManager_t678461618_il2cpp_TypeInfo_var->static_fields)->get__declsecCache_1(); if (L_2) { goto IL_0022; } } IL_0018: { Hashtable_t3875263730 * L_3 = (Hashtable_t3875263730 *)il2cpp_codegen_object_new(Hashtable_t3875263730_il2cpp_TypeInfo_var); Hashtable__ctor_m1514037738(L_3, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(SecurityManager_t678461618_il2cpp_TypeInfo_var); ((SecurityManager_t678461618_StaticFields*)SecurityManager_t678461618_il2cpp_TypeInfo_var->static_fields)->set__declsecCache_1(L_3); } IL_0022: { IntPtr_t L_4 = ___permissions; int32_t L_5 = IntPtr_op_Explicit_m1500672818(NULL /*static, unused*/, L_4, /*hidden argument*/NULL); int32_t L_6 = L_5; Il2CppObject * L_7 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_6); V_2 = L_7; IL2CPP_RUNTIME_CLASS_INIT(SecurityManager_t678461618_il2cpp_TypeInfo_var); Hashtable_t3875263730 * L_8 = ((SecurityManager_t678461618_StaticFields*)SecurityManager_t678461618_il2cpp_TypeInfo_var->static_fields)->get__declsecCache_1(); Il2CppObject * L_9 = V_2; NullCheck(L_8); Il2CppObject * L_10 = VirtFuncInvoker1< Il2CppObject *, Il2CppObject * >::Invoke(23 /* System.Object System.Collections.Hashtable::get_Item(System.Object) */, L_8, L_9); V_0 = ((PermissionSet_t2781735032 *)CastclassClass(L_10, PermissionSet_t2781735032_il2cpp_TypeInfo_var)); PermissionSet_t2781735032 * L_11 = V_0; if (L_11) { goto IL_006f; } } IL_0045: { int32_t L_12 = ___length; V_3 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)L_12)); IntPtr_t L_13 = ___permissions; ByteU5BU5D_t58506160* L_14 = V_3; int32_t L_15 = ___length; IL2CPP_RUNTIME_CLASS_INIT(Marshal_t3977632096_il2cpp_TypeInfo_var); Marshal_Copy_m1690250234(NULL /*static, unused*/, L_13, L_14, 0, L_15, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_16 = V_3; IL2CPP_RUNTIME_CLASS_INIT(SecurityManager_t678461618_il2cpp_TypeInfo_var); PermissionSet_t2781735032 * L_17 = SecurityManager_Decode_m958562396(NULL /*static, unused*/, L_16, /*hidden argument*/NULL); V_0 = L_17; PermissionSet_t2781735032 * L_18 = V_0; NullCheck(L_18); PermissionSet_set_DeclarativeSecurity_m1327442290(L_18, (bool)1, /*hidden argument*/NULL); Hashtable_t3875263730 * L_19 = ((SecurityManager_t678461618_StaticFields*)SecurityManager_t678461618_il2cpp_TypeInfo_var->static_fields)->get__declsecCache_1(); Il2CppObject * L_20 = V_2; PermissionSet_t2781735032 * L_21 = V_0; NullCheck(L_19); VirtActionInvoker2< Il2CppObject *, Il2CppObject * >::Invoke(26 /* System.Void System.Collections.Hashtable::Add(System.Object,System.Object) */, L_19, L_20, L_21); } IL_006f: { IL2CPP_LEAVE(0x7B, FINALLY_0074); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0074; } FINALLY_0074: { // begin finally (depth: 1) Il2CppObject * L_22 = V_1; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_22, /*hidden argument*/NULL); IL2CPP_END_FINALLY(116) } // end finally (depth: 1) IL2CPP_CLEANUP(116) { IL2CPP_JUMP_TBL(0x7B, IL_007b) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_007b: { PermissionSet_t2781735032 * L_23 = V_0; return L_23; } } // System.Security.PermissionSet System.Security.SecurityManager::Decode(System.Byte[]) extern TypeInfo* SecurityException_t128786772_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* PermissionSet_t2781735032_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3432169039; extern Il2CppCodeGenString* _stringLiteral479499356; extern const uint32_t SecurityManager_Decode_m958562396_MetadataUsageId; extern "C" PermissionSet_t2781735032 * SecurityManager_Decode_m958562396 (Il2CppObject * __this /* static, unused */, ByteU5BU5D_t58506160* ___encodedPermissions, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SecurityManager_Decode_m958562396_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint8_t V_1 = 0x0; { ByteU5BU5D_t58506160* L_0 = ___encodedPermissions; if (!L_0) { goto IL_000f; } } { ByteU5BU5D_t58506160* L_1 = ___encodedPermissions; NullCheck(L_1); if ((((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_1)->max_length))))) >= ((int32_t)1))) { goto IL_001a; } } IL_000f: { SecurityException_t128786772 * L_2 = (SecurityException_t128786772 *)il2cpp_codegen_object_new(SecurityException_t128786772_il2cpp_TypeInfo_var); SecurityException__ctor_m1163560590(L_2, _stringLiteral3432169039, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001a: { ByteU5BU5D_t58506160* L_3 = ___encodedPermissions; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 0); int32_t L_4 = 0; V_1 = ((L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_4))); uint8_t L_5 = V_1; if ((((int32_t)L_5) == ((int32_t)((int32_t)46)))) { goto IL_0046; } } { uint8_t L_6 = V_1; if ((((int32_t)L_6) == ((int32_t)((int32_t)60)))) { goto IL_0033; } } { goto IL_004d; } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_7 = Encoding_get_Unicode_m2158134329(NULL /*static, unused*/, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_8 = ___encodedPermissions; NullCheck(L_7); String_t* L_9 = VirtFuncInvoker1< String_t*, ByteU5BU5D_t58506160* >::Invoke(22 /* System.String System.Text.Encoding::GetString(System.Byte[]) */, L_7, L_8); V_0 = L_9; String_t* L_10 = V_0; PermissionSet_t2781735032 * L_11 = (PermissionSet_t2781735032 *)il2cpp_codegen_object_new(PermissionSet_t2781735032_il2cpp_TypeInfo_var); PermissionSet__ctor_m1161980594(L_11, L_10, /*hidden argument*/NULL); return L_11; } IL_0046: { ByteU5BU5D_t58506160* L_12 = ___encodedPermissions; PermissionSet_t2781735032 * L_13 = PermissionSet_CreateFromBinaryFormat_m554196038(NULL /*static, unused*/, L_12, /*hidden argument*/NULL); return L_13; } IL_004d: { String_t* L_14 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral479499356, /*hidden argument*/NULL); SecurityException_t128786772 * L_15 = (SecurityException_t128786772 *)il2cpp_codegen_object_new(SecurityException_t128786772_il2cpp_TypeInfo_var); SecurityException__ctor_m1163560590(L_15, L_14, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_15); } } // System.Void System.Security.SecuritySafeCriticalAttribute::.ctor() extern "C" void SecuritySafeCriticalAttribute__ctor_m4074397875 (SecuritySafeCriticalAttribute_t2130178741 * __this, const MethodInfo* method) { { Attribute__ctor_m2985353781(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.SuppressUnmanagedCodeSecurityAttribute::.ctor() extern "C" void SuppressUnmanagedCodeSecurityAttribute__ctor_m4118844453 (SuppressUnmanagedCodeSecurityAttribute_t1986929219 * __this, const MethodInfo* method) { { Attribute__ctor_m2985353781(__this, /*hidden argument*/NULL); return; } } // System.Void System.Security.UnverifiableCodeAttribute::.ctor() extern "C" void UnverifiableCodeAttribute__ctor_m3261770352 (UnverifiableCodeAttribute_t556957784 * __this, const MethodInfo* method) { { Attribute__ctor_m2985353781(__this, /*hidden argument*/NULL); return; } } // System.Void System.SerializableAttribute::.ctor() extern "C" void SerializableAttribute__ctor_m3559493780 (SerializableAttribute_t2274565074 * __this, const MethodInfo* method) { { Attribute__ctor_m2985353781(__this, /*hidden argument*/NULL); return; } } // System.Boolean System.Single::System.IConvertible.ToBoolean(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToBoolean_m1763424693_MetadataUsageId; extern "C" bool Single_System_IConvertible_ToBoolean_m1763424693 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToBoolean_m1763424693_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); bool L_0 = Convert_ToBoolean_m4285295428(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.Byte System.Single::System.IConvertible.ToByte(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToByte_m3813746639_MetadataUsageId; extern "C" uint8_t Single_System_IConvertible_ToByte_m3813746639 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToByte_m3813746639_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); uint8_t L_0 = Convert_ToByte_m4002262934(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.Char System.Single::System.IConvertible.ToChar(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToChar_m1479685867_MetadataUsageId; extern "C" uint16_t Single_System_IConvertible_ToChar_m1479685867 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToChar_m1479685867_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); uint16_t L_0 = Convert_ToChar_m2498420566(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.DateTime System.Single::System.IConvertible.ToDateTime(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToDateTime_m259491893_MetadataUsageId; extern "C" DateTime_t339033936 Single_System_IConvertible_ToDateTime_m259491893 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToDateTime_m259491893_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); DateTime_t339033936 L_0 = Convert_ToDateTime_m1222840310(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.Decimal System.Single::System.IConvertible.ToDecimal(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToDecimal_m430630997_MetadataUsageId; extern "C" Decimal_t1688557254 Single_System_IConvertible_ToDecimal_m430630997 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToDecimal_m430630997_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); Decimal_t1688557254 L_0 = Convert_ToDecimal_m255862770(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.Double System.Single::System.IConvertible.ToDouble(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToDouble_m3847210273_MetadataUsageId; extern "C" double Single_System_IConvertible_ToDouble_m3847210273 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToDouble_m3847210273_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); double L_0 = Convert_ToDouble_m1400508342(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.Int16 System.Single::System.IConvertible.ToInt16(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToInt16_m2476492917_MetadataUsageId; extern "C" int16_t Single_System_IConvertible_ToInt16_m2476492917 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToInt16_m2476492917_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); int16_t L_0 = Convert_ToInt16_m145654572(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.Int32 System.Single::System.IConvertible.ToInt32(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToInt32_m4151896117_MetadataUsageId; extern "C" int32_t Single_System_IConvertible_ToInt32_m4151896117 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToInt32_m4151896117_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); int32_t L_0 = Convert_ToInt32_m3766704696(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.Int64 System.Single::System.IConvertible.ToInt64(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToInt64_m305537749_MetadataUsageId; extern "C" int64_t Single_System_IConvertible_ToInt64_m305537749 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToInt64_m305537749_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); int64_t L_0 = Convert_ToInt64_m3921744570(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.SByte System.Single::System.IConvertible.ToSByte(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToSByte_m3027644949_MetadataUsageId; extern "C" int8_t Single_System_IConvertible_ToSByte_m3027644949 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToSByte_m3027644949_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); int8_t L_0 = Convert_ToSByte_m1076883166(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.Single System.Single::System.IConvertible.ToSingle(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToSingle_m1116951951_MetadataUsageId; extern "C" float Single_System_IConvertible_ToSingle_m1116951951 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToSingle_m1116951951_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); float L_0 = Convert_ToSingle_m1038299094(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.Object System.Single::System.IConvertible.ToType(System.Type,System.IFormatProvider) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Single_t958209021_il2cpp_TypeInfo_var; extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral486622315; extern const uint32_t Single_System_IConvertible_ToType_m1756485413_MetadataUsageId; extern "C" Il2CppObject * Single_System_IConvertible_ToType_m1756485413 (float* __this, Type_t * ___targetType, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToType_m1756485413_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Type_t * L_0 = ___targetType; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral486622315, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { float L_2 = (*((float*)__this)); Il2CppObject * L_3 = Box(Single_t958209021_il2cpp_TypeInfo_var, &L_2); Type_t * L_4 = ___targetType; Il2CppObject * L_5 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); Il2CppObject * L_6 = Convert_ToType_m353901888(NULL /*static, unused*/, L_3, L_4, L_5, (bool)0, /*hidden argument*/NULL); return L_6; } } // System.UInt16 System.Single::System.IConvertible.ToUInt16(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToUInt16_m3288807997_MetadataUsageId; extern "C" uint16_t Single_System_IConvertible_ToUInt16_m3288807997 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToUInt16_m3288807997_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); uint16_t L_0 = Convert_ToUInt16_m2596482038(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.UInt32 System.Single::System.IConvertible.ToUInt32(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToUInt32_m1668493233_MetadataUsageId; extern "C" uint32_t Single_System_IConvertible_ToUInt32_m1668493233 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToUInt32_m1668493233_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); uint32_t L_0 = Convert_ToUInt32_m2451123894(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.UInt64 System.Single::System.IConvertible.ToUInt64(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t Single_System_IConvertible_ToUInt64_m4272161775_MetadataUsageId; extern "C" uint64_t Single_System_IConvertible_ToUInt64_m4272161775 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_System_IConvertible_ToUInt64_m4272161775_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); uint64_t L_0 = Convert_ToUInt64_m1990883798(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_0; } } // System.Int32 System.Single::CompareTo(System.Object) extern TypeInfo* Single_t958209021_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3166017242; extern const uint32_t Single_CompareTo_m4059132493_MetadataUsageId; extern "C" int32_t Single_CompareTo_m4059132493 (float* __this, Il2CppObject * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_CompareTo_m4059132493_MetadataUsageId); s_Il2CppMethodIntialized = true; } float V_0 = 0.0f; { Il2CppObject * L_0 = ___value; if (L_0) { goto IL_0008; } } { return 1; } IL_0008: { Il2CppObject * L_1 = ___value; if (((Il2CppObject *)IsInstSealed(L_1, Single_t958209021_il2cpp_TypeInfo_var))) { goto IL_0023; } } { String_t* L_2 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral3166017242, /*hidden argument*/NULL); ArgumentException_t124305799 * L_3 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_3, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { Il2CppObject * L_4 = ___value; V_0 = ((*(float*)((float*)UnBox (L_4, Single_t958209021_il2cpp_TypeInfo_var)))); bool L_5 = Single_IsPositiveInfinity_m1894985771(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); if (!L_5) { goto IL_0043; } } { float L_6 = V_0; bool L_7 = Single_IsPositiveInfinity_m1894985771(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); if (!L_7) { goto IL_0043; } } { return 0; } IL_0043: { bool L_8 = Single_IsNegativeInfinity_m3390831215(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); if (!L_8) { goto IL_005c; } } { float L_9 = V_0; bool L_10 = Single_IsNegativeInfinity_m3390831215(NULL /*static, unused*/, L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_005c; } } { return 0; } IL_005c: { float L_11 = V_0; bool L_12 = Single_IsNaN_m2036953453(NULL /*static, unused*/, L_11, /*hidden argument*/NULL); if (!L_12) { goto IL_0077; } } { bool L_13 = Single_IsNaN_m2036953453(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); if (!L_13) { goto IL_0075; } } { return 0; } IL_0075: { return 1; } IL_0077: { bool L_14 = Single_IsNaN_m2036953453(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); if (!L_14) { goto IL_0092; } } { float L_15 = V_0; bool L_16 = Single_IsNaN_m2036953453(NULL /*static, unused*/, L_15, /*hidden argument*/NULL); if (!L_16) { goto IL_0090; } } { return 0; } IL_0090: { return (-1); } IL_0092: { float L_17 = V_0; if ((!(((float)(*((float*)__this))) == ((float)L_17)))) { goto IL_009c; } } { return 0; } IL_009c: { float L_18 = V_0; if ((!(((float)(*((float*)__this))) > ((float)L_18)))) { goto IL_00a6; } } { return 1; } IL_00a6: { return (-1); } } // System.Boolean System.Single::Equals(System.Object) extern TypeInfo* Single_t958209021_il2cpp_TypeInfo_var; extern const uint32_t Single_Equals_m2650902624_MetadataUsageId; extern "C" bool Single_Equals_m2650902624 (float* __this, Il2CppObject * ___obj, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_Equals_m2650902624_MetadataUsageId); s_Il2CppMethodIntialized = true; } float V_0 = 0.0f; { Il2CppObject * L_0 = ___obj; if (((Il2CppObject *)IsInstSealed(L_0, Single_t958209021_il2cpp_TypeInfo_var))) { goto IL_000d; } } { return (bool)0; } IL_000d: { Il2CppObject * L_1 = ___obj; V_0 = ((*(float*)((float*)UnBox (L_1, Single_t958209021_il2cpp_TypeInfo_var)))); float L_2 = V_0; bool L_3 = Single_IsNaN_m2036953453(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); if (!L_3) { goto IL_0027; } } { bool L_4 = Single_IsNaN_m2036953453(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_4; } IL_0027: { float L_5 = V_0; return (bool)((((float)L_5) == ((float)(*((float*)__this))))? 1 : 0); } } // System.Int32 System.Single::CompareTo(System.Single) extern "C" int32_t Single_CompareTo_m3518345828 (float* __this, float ___value, const MethodInfo* method) { { bool L_0 = Single_IsPositiveInfinity_m1894985771(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); if (!L_0) { goto IL_0019; } } { float L_1 = ___value; bool L_2 = Single_IsPositiveInfinity_m1894985771(NULL /*static, unused*/, L_1, /*hidden argument*/NULL); if (!L_2) { goto IL_0019; } } { return 0; } IL_0019: { bool L_3 = Single_IsNegativeInfinity_m3390831215(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); if (!L_3) { goto IL_0032; } } { float L_4 = ___value; bool L_5 = Single_IsNegativeInfinity_m3390831215(NULL /*static, unused*/, L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_0032; } } { return 0; } IL_0032: { float L_6 = ___value; bool L_7 = Single_IsNaN_m2036953453(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); if (!L_7) { goto IL_004d; } } { bool L_8 = Single_IsNaN_m2036953453(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); if (!L_8) { goto IL_004b; } } { return 0; } IL_004b: { return 1; } IL_004d: { bool L_9 = Single_IsNaN_m2036953453(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); if (!L_9) { goto IL_0068; } } { float L_10 = ___value; bool L_11 = Single_IsNaN_m2036953453(NULL /*static, unused*/, L_10, /*hidden argument*/NULL); if (!L_11) { goto IL_0066; } } { return 0; } IL_0066: { return (-1); } IL_0068: { float L_12 = ___value; if ((!(((float)(*((float*)__this))) == ((float)L_12)))) { goto IL_0072; } } { return 0; } IL_0072: { float L_13 = ___value; if ((!(((float)(*((float*)__this))) > ((float)L_13)))) { goto IL_007c; } } { return 1; } IL_007c: { return (-1); } } // System.Boolean System.Single::Equals(System.Single) extern "C" bool Single_Equals_m2110115959 (float* __this, float ___obj, const MethodInfo* method) { { float L_0 = ___obj; bool L_1 = Single_IsNaN_m2036953453(NULL /*static, unused*/, L_0, /*hidden argument*/NULL); if (!L_1) { goto IL_0013; } } { bool L_2 = Single_IsNaN_m2036953453(NULL /*static, unused*/, (*((float*)__this)), /*hidden argument*/NULL); return L_2; } IL_0013: { float L_3 = ___obj; return (bool)((((float)L_3) == ((float)(*((float*)__this))))? 1 : 0); } } // System.Int32 System.Single::GetHashCode() extern "C" int32_t Single_GetHashCode_m65342520 (float* __this, const MethodInfo* method) { float V_0 = 0.0f; { V_0 = (*((float*)__this)); return (*((int32_t*)(&V_0))); } } // System.Boolean System.Single::IsInfinity(System.Single) extern "C" bool Single_IsInfinity_m1725004900 (Il2CppObject * __this /* static, unused */, float ___f, const MethodInfo* method) { int32_t G_B3_0 = 0; { float L_0 = ___f; if ((((float)L_0) == ((float)(std::numeric_limits<float>::infinity())))) { goto IL_0015; } } { float L_1 = ___f; G_B3_0 = ((((float)L_1) == ((float)(-std::numeric_limits<float>::infinity())))? 1 : 0); goto IL_0016; } IL_0015: { G_B3_0 = 1; } IL_0016: { return (bool)G_B3_0; } } // System.Boolean System.Single::IsNaN(System.Single) extern "C" bool Single_IsNaN_m2036953453 (Il2CppObject * __this /* static, unused */, float ___f, const MethodInfo* method) { { float L_0 = ___f; float L_1 = ___f; return (bool)((((int32_t)((((float)L_0) == ((float)L_1))? 1 : 0)) == ((int32_t)0))? 1 : 0); } } // System.Boolean System.Single::IsNegativeInfinity(System.Single) extern "C" bool Single_IsNegativeInfinity_m3390831215 (Il2CppObject * __this /* static, unused */, float ___f, const MethodInfo* method) { int32_t G_B4_0 = 0; int32_t G_B6_0 = 0; { float L_0 = ___f; if ((!(((float)L_0) < ((float)(0.0f))))) { goto IL_0023; } } { float L_1 = ___f; if ((((float)L_1) == ((float)(-std::numeric_limits<float>::infinity())))) { goto IL_0020; } } { float L_2 = ___f; G_B4_0 = ((((float)L_2) == ((float)(std::numeric_limits<float>::infinity())))? 1 : 0); goto IL_0021; } IL_0020: { G_B4_0 = 1; } IL_0021: { G_B6_0 = G_B4_0; goto IL_0024; } IL_0023: { G_B6_0 = 0; } IL_0024: { return (bool)G_B6_0; } } // System.Boolean System.Single::IsPositiveInfinity(System.Single) extern "C" bool Single_IsPositiveInfinity_m1894985771 (Il2CppObject * __this /* static, unused */, float ___f, const MethodInfo* method) { int32_t G_B4_0 = 0; int32_t G_B6_0 = 0; { float L_0 = ___f; if ((!(((float)L_0) > ((float)(0.0f))))) { goto IL_0023; } } { float L_1 = ___f; if ((((float)L_1) == ((float)(-std::numeric_limits<float>::infinity())))) { goto IL_0020; } } { float L_2 = ___f; G_B4_0 = ((((float)L_2) == ((float)(std::numeric_limits<float>::infinity())))? 1 : 0); goto IL_0021; } IL_0020: { G_B4_0 = 1; } IL_0021: { G_B6_0 = G_B4_0; goto IL_0024; } IL_0023: { G_B6_0 = 0; } IL_0024: { return (bool)G_B6_0; } } // System.Single System.Single::Parse(System.String,System.IFormatProvider) extern TypeInfo* OverflowException_t3216083426_il2cpp_TypeInfo_var; extern const uint32_t Single_Parse_m4064562812_MetadataUsageId; extern "C" float Single_Parse_m4064562812 (Il2CppObject * __this /* static, unused */, String_t* ___s, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_Parse_m4064562812_MetadataUsageId); s_Il2CppMethodIntialized = true; } double V_0 = 0.0; { String_t* L_0 = ___s; Il2CppObject * L_1 = ___provider; double L_2 = Double_Parse_m3249074997(NULL /*static, unused*/, L_0, ((int32_t)231), L_1, /*hidden argument*/NULL); V_0 = L_2; double L_3 = V_0; if ((!(((double)((double)((double)L_3-(double)(3.4028234663852886E+38)))) > ((double)(3.6147112457961776E+29))))) { goto IL_0037; } } { double L_4 = V_0; bool L_5 = Double_IsPositiveInfinity_m3352165785(NULL /*static, unused*/, L_4, /*hidden argument*/NULL); if (L_5) { goto IL_0037; } } { OverflowException_t3216083426 * L_6 = (OverflowException_t3216083426 *)il2cpp_codegen_object_new(OverflowException_t3216083426_il2cpp_TypeInfo_var); OverflowException__ctor_m1899953028(L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0037: { double L_7 = V_0; return (((float)((float)L_7))); } } // System.String System.Single::ToString() extern TypeInfo* NumberFormatter_t719190774_il2cpp_TypeInfo_var; extern const uint32_t Single_ToString_m5736032_MetadataUsageId; extern "C" String_t* Single_ToString_m5736032 (float* __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_ToString_m5736032_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(NumberFormatter_t719190774_il2cpp_TypeInfo_var); String_t* L_0 = NumberFormatter_NumberToString_m3420104821(NULL /*static, unused*/, (*((float*)__this)), (Il2CppObject *)NULL, /*hidden argument*/NULL); return L_0; } } // System.String System.Single::ToString(System.IFormatProvider) extern TypeInfo* NumberFormatter_t719190774_il2cpp_TypeInfo_var; extern const uint32_t Single_ToString_m1436803918_MetadataUsageId; extern "C" String_t* Single_ToString_m1436803918 (float* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_ToString_m1436803918_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(NumberFormatter_t719190774_il2cpp_TypeInfo_var); String_t* L_1 = NumberFormatter_NumberToString_m3420104821(NULL /*static, unused*/, (*((float*)__this)), L_0, /*hidden argument*/NULL); return L_1; } } // System.String System.Single::ToString(System.String) extern "C" String_t* Single_ToString_m639595682 (float* __this, String_t* ___format, const MethodInfo* method) { { String_t* L_0 = ___format; String_t* L_1 = Single_ToString_m3798733330(__this, L_0, (Il2CppObject *)NULL, /*hidden argument*/NULL); return L_1; } } // System.String System.Single::ToString(System.String,System.IFormatProvider) extern TypeInfo* NumberFormatter_t719190774_il2cpp_TypeInfo_var; extern const uint32_t Single_ToString_m3798733330_MetadataUsageId; extern "C" String_t* Single_ToString_m3798733330 (float* __this, String_t* ___format, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Single_ToString_m3798733330_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___format; Il2CppObject * L_1 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(NumberFormatter_t719190774_il2cpp_TypeInfo_var); String_t* L_2 = NumberFormatter_NumberToString_m332247865(NULL /*static, unused*/, L_0, (*((float*)__this)), L_1, /*hidden argument*/NULL); return L_2; } } // System.TypeCode System.Single::GetTypeCode() extern "C" int32_t Single_GetTypeCode_m4165632757 (float* __this, const MethodInfo* method) { { return (int32_t)(((int32_t)13)); } } // System.Void System.String::.ctor(System.Char*,System.Int32,System.Int32) extern "C" void String__ctor_m2618237231 (String_t* __this, uint16_t* ___value, int32_t ___startIndex, int32_t ___length, const MethodInfo* method) { using namespace il2cpp::icalls; typedef void (*String__ctor_m2618237231_ftn) (String_t*, uint16_t*, int32_t, int32_t); ((String__ctor_m2618237231_ftn)mscorlib::System::String::RedirectToCreateString) (__this, ___value, ___startIndex, ___length); } // System.Void System.String::.ctor(System.Char[],System.Int32,System.Int32) extern "C" void String__ctor_m683273815 (String_t* __this, CharU5BU5D_t3416858730* ___value, int32_t ___startIndex, int32_t ___length, const MethodInfo* method) { using namespace il2cpp::icalls; typedef void (*String__ctor_m683273815_ftn) (String_t*, CharU5BU5D_t3416858730*, int32_t, int32_t); ((String__ctor_m683273815_ftn)mscorlib::System::String::RedirectToCreateString) (__this, ___value, ___startIndex, ___length); } // System.Void System.String::.ctor(System.Char[]) extern "C" void String__ctor_m2956844983 (String_t* __this, CharU5BU5D_t3416858730* ___value, const MethodInfo* method) { using namespace il2cpp::icalls; typedef void (*String__ctor_m2956844983_ftn) (String_t*, CharU5BU5D_t3416858730*); ((String__ctor_m2956844983_ftn)mscorlib::System::String::RedirectToCreateString) (__this, ___value); } // System.Void System.String::.ctor(System.Char,System.Int32) extern "C" void String__ctor_m3883063966 (String_t* __this, uint16_t ___c, int32_t ___count, const MethodInfo* method) { using namespace il2cpp::icalls; typedef void (*String__ctor_m3883063966_ftn) (String_t*, uint16_t, int32_t); ((String__ctor_m3883063966_ftn)mscorlib::System::String::RedirectToCreateString) (__this, ___c, ___count); } // System.Void System.String::.cctor() extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* CharU5BU5D_t3416858730_il2cpp_TypeInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D0_0_FieldInfo_var; extern Il2CppCodeGenString* _stringLiteral0; extern const uint32_t String__cctor_m351290025_MetadataUsageId; extern "C" void String__cctor_m351290025 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String__cctor_m351290025_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->set_Empty_2(_stringLiteral0); CharU5BU5D_t3416858730* L_0 = ((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)((int32_t)27))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_0, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D0_0_FieldInfo_var), /*hidden argument*/NULL); ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->set_WhiteChars_3(L_0); return; } } // System.Boolean System.String::System.IConvertible.ToBoolean(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToBoolean_m1435209676_MetadataUsageId; extern "C" bool String_System_IConvertible_ToBoolean_m1435209676 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToBoolean_m1435209676_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); bool L_1 = Convert_ToBoolean_m1414469113(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Byte System.String::System.IConvertible.ToByte(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToByte_m651944216_MetadataUsageId; extern "C" uint8_t String_System_IConvertible_ToByte_m651944216 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToByte_m651944216_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); uint8_t L_1 = Convert_ToByte_m310449511(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Char System.String::System.IConvertible.ToChar(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToChar_m2612850740_MetadataUsageId; extern "C" uint16_t String_System_IConvertible_ToChar_m2612850740 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToChar_m2612850740_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); uint16_t L_1 = Convert_ToChar_m3723111847(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.DateTime System.String::System.IConvertible.ToDateTime(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToDateTime_m2969728254_MetadataUsageId; extern "C" DateTime_t339033936 String_System_IConvertible_ToDateTime_m2969728254 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToDateTime_m2969728254_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); DateTime_t339033936 L_1 = Convert_ToDateTime_m4273293575(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Decimal System.String::System.IConvertible.ToDecimal(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToDecimal_m102415980_MetadataUsageId; extern "C" Decimal_t1688557254 String_System_IConvertible_ToDecimal_m102415980 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToDecimal_m102415980_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); Decimal_t1688557254 L_1 = Convert_ToDecimal_m2501309835(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Double System.String::System.IConvertible.ToDouble(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToDouble_m1896960042_MetadataUsageId; extern "C" double String_System_IConvertible_ToDouble_m1896960042 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToDouble_m1896960042_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); double L_1 = Convert_ToDouble_m4191850823(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Int16 System.String::System.IConvertible.ToInt16(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToInt16_m3244865612_MetadataUsageId; extern "C" int16_t String_System_IConvertible_ToInt16_m3244865612 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToInt16_m3244865612_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); int16_t L_1 = Convert_ToInt16_m2248972561(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Int32 System.String::System.IConvertible.ToInt32(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToInt32_m625301516_MetadataUsageId; extern "C" int32_t String_System_IConvertible_ToInt32_m625301516 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToInt32_m625301516_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); int32_t L_1 = Convert_ToInt32_m1053332613(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Int64 System.String::System.IConvertible.ToInt64(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToInt64_m1073910444_MetadataUsageId; extern "C" int64_t String_System_IConvertible_ToInt64_m1073910444 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToInt64_m1073910444_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); int64_t L_1 = Convert_ToInt64_m946235843(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.SByte System.String::System.IConvertible.ToSByte(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToSByte_m3796017644_MetadataUsageId; extern "C" int8_t String_System_IConvertible_ToSByte_m3796017644 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToSByte_m3796017644_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); int8_t L_1 = Convert_ToSByte_m1295525151(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Single System.String::System.IConvertible.ToSingle(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToSingle_m3461669016_MetadataUsageId; extern "C" float String_System_IConvertible_ToSingle_m3461669016 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToSingle_m3461669016_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); float L_1 = Convert_ToSingle_m459230503(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Object System.String::System.IConvertible.ToType(System.Type,System.IFormatProvider) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3575610; extern const uint32_t String_System_IConvertible_ToType_m1615588078_MetadataUsageId; extern "C" Il2CppObject * String_System_IConvertible_ToType_m1615588078 (String_t* __this, Type_t * ___targetType, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToType_m1615588078_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Type_t * L_0 = ___targetType; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral3575610, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { Type_t * L_2 = ___targetType; Il2CppObject * L_3 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); Il2CppObject * L_4 = Convert_ToType_m353901888(NULL /*static, unused*/, __this, L_2, L_3, (bool)0, /*hidden argument*/NULL); return L_4; } } // System.UInt16 System.String::System.IConvertible.ToUInt16(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToUInt16_m1338557766_MetadataUsageId; extern "C" uint16_t String_System_IConvertible_ToUInt16_m1338557766 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToUInt16_m1338557766_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); uint16_t L_1 = Convert_ToUInt16_m3161828615(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.UInt32 System.String::System.IConvertible.ToUInt32(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToUInt32_m4013210298_MetadataUsageId; extern "C" uint32_t String_System_IConvertible_ToUInt32_m4013210298 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToUInt32_m4013210298_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); uint32_t L_1 = Convert_ToUInt32_m3903361607(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.UInt64 System.String::System.IConvertible.ToUInt64(System.IFormatProvider) extern TypeInfo* Convert_t1097883944_il2cpp_TypeInfo_var; extern const uint32_t String_System_IConvertible_ToUInt64_m2321911544_MetadataUsageId; extern "C" uint64_t String_System_IConvertible_ToUInt64_m2321911544 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_IConvertible_ToUInt64_m2321911544_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Convert_t1097883944_il2cpp_TypeInfo_var); uint64_t L_1 = Convert_ToUInt64_m1711588135(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Collections.Generic.IEnumerator`1<System.Char> System.String::System.Collections.Generic.IEnumerable<char>.GetEnumerator() extern TypeInfo* CharEnumerator_t534711151_il2cpp_TypeInfo_var; extern const uint32_t String_System_Collections_Generic_IEnumerableU3CcharU3E_GetEnumerator_m319382653_MetadataUsageId; extern "C" Il2CppObject* String_System_Collections_Generic_IEnumerableU3CcharU3E_GetEnumerator_m319382653 (String_t* __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_Collections_Generic_IEnumerableU3CcharU3E_GetEnumerator_m319382653_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharEnumerator_t534711151 * L_0 = (CharEnumerator_t534711151 *)il2cpp_codegen_object_new(CharEnumerator_t534711151_il2cpp_TypeInfo_var); CharEnumerator__ctor_m2119134439(L_0, __this, /*hidden argument*/NULL); return L_0; } } // System.Collections.IEnumerator System.String::System.Collections.IEnumerable.GetEnumerator() extern TypeInfo* CharEnumerator_t534711151_il2cpp_TypeInfo_var; extern const uint32_t String_System_Collections_IEnumerable_GetEnumerator_m1432650703_MetadataUsageId; extern "C" Il2CppObject * String_System_Collections_IEnumerable_GetEnumerator_m1432650703 (String_t* __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_System_Collections_IEnumerable_GetEnumerator_m1432650703_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharEnumerator_t534711151 * L_0 = (CharEnumerator_t534711151 *)il2cpp_codegen_object_new(CharEnumerator_t534711151_il2cpp_TypeInfo_var); CharEnumerator__ctor_m2119134439(L_0, __this, /*hidden argument*/NULL); return L_0; } } // System.Boolean System.String::Equals(System.String,System.String) extern "C" bool String_Equals_m1002918753 (Il2CppObject * __this /* static, unused */, String_t* ___a, String_t* ___b, const MethodInfo* method) { int32_t V_0 = 0; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; int32_t G_B27_0 = 0; { String_t* L_0 = ___a; String_t* L_1 = ___b; if ((!(((Il2CppObject*)(String_t*)L_0) == ((Il2CppObject*)(String_t*)L_1)))) { goto IL_0009; } } { return (bool)1; } IL_0009: { String_t* L_2 = ___a; if (!L_2) { goto IL_0015; } } { String_t* L_3 = ___b; if (L_3) { goto IL_0017; } } IL_0015: { return (bool)0; } IL_0017: { String_t* L_4 = ___a; NullCheck(L_4); int32_t L_5 = L_4->get_length_0(); V_0 = L_5; int32_t L_6 = V_0; String_t* L_7 = ___b; NullCheck(L_7); int32_t L_8 = L_7->get_length_0(); if ((((int32_t)L_6) == ((int32_t)L_8))) { goto IL_002c; } } { return (bool)0; } IL_002c: { String_t* L_9 = ___a; NullCheck(L_9); uint16_t* L_10 = L_9->get_address_of_start_char_1(); V_1 = (uint16_t*)L_10; String_t* L_11 = ___b; NullCheck(L_11); uint16_t* L_12 = L_11->get_address_of_start_char_1(); V_2 = (uint16_t*)L_12; uint16_t* L_13 = V_1; V_3 = (uint16_t*)L_13; uint16_t* L_14 = V_2; V_4 = (uint16_t*)L_14; goto IL_008c; } IL_0044: { uint16_t* L_15 = V_3; uint16_t* L_16 = V_4; if ((!(((uint32_t)(*((int32_t*)L_15))) == ((uint32_t)(*((int32_t*)L_16)))))) { goto IL_007a; } } { uint16_t* L_17 = V_3; uint16_t* L_18 = V_4; if ((!(((uint32_t)(*((int32_t*)((uint16_t*)((intptr_t)L_17+(int32_t)4))))) == ((uint32_t)(*((int32_t*)((uint16_t*)((intptr_t)L_18+(int32_t)4)))))))) { goto IL_007a; } } { uint16_t* L_19 = V_3; uint16_t* L_20 = V_4; if ((!(((uint32_t)(*((int32_t*)((uint16_t*)((intptr_t)L_19+(int32_t)8))))) == ((uint32_t)(*((int32_t*)((uint16_t*)((intptr_t)L_20+(int32_t)8)))))))) { goto IL_007a; } } { uint16_t* L_21 = V_3; uint16_t* L_22 = V_4; if ((((int32_t)(*((int32_t*)((uint16_t*)((intptr_t)L_21+(int32_t)((int32_t)12)))))) == ((int32_t)(*((int32_t*)((uint16_t*)((intptr_t)L_22+(int32_t)((int32_t)12)))))))) { goto IL_007c; } } IL_007a: { return (bool)0; } IL_007c: { uint16_t* L_23 = V_3; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_23+(int32_t)((int32_t)16))); uint16_t* L_24 = V_4; V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_24+(int32_t)((int32_t)16))); int32_t L_25 = V_0; V_0 = ((int32_t)((int32_t)L_25-(int32_t)8)); } IL_008c: { int32_t L_26 = V_0; if ((((int32_t)L_26) >= ((int32_t)8))) { goto IL_0044; } } { int32_t L_27 = V_0; if ((((int32_t)L_27) < ((int32_t)4))) { goto IL_00c2; } } { uint16_t* L_28 = V_3; uint16_t* L_29 = V_4; if ((!(((uint32_t)(*((int32_t*)L_28))) == ((uint32_t)(*((int32_t*)L_29)))))) { goto IL_00b2; } } { uint16_t* L_30 = V_3; uint16_t* L_31 = V_4; if ((((int32_t)(*((int32_t*)((uint16_t*)((intptr_t)L_30+(int32_t)4))))) == ((int32_t)(*((int32_t*)((uint16_t*)((intptr_t)L_31+(int32_t)4))))))) { goto IL_00b4; } } IL_00b2: { return (bool)0; } IL_00b4: { uint16_t* L_32 = V_3; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_32+(int32_t)8)); uint16_t* L_33 = V_4; V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_33+(int32_t)8)); int32_t L_34 = V_0; V_0 = ((int32_t)((int32_t)L_34-(int32_t)4)); } IL_00c2: { int32_t L_35 = V_0; if ((((int32_t)L_35) <= ((int32_t)1))) { goto IL_00e3; } } { uint16_t* L_36 = V_3; uint16_t* L_37 = V_4; if ((((int32_t)(*((int32_t*)L_36))) == ((int32_t)(*((int32_t*)L_37))))) { goto IL_00d5; } } { return (bool)0; } IL_00d5: { uint16_t* L_38 = V_3; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_38+(int32_t)4)); uint16_t* L_39 = V_4; V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_39+(int32_t)4)); int32_t L_40 = V_0; V_0 = ((int32_t)((int32_t)L_40-(int32_t)2)); } IL_00e3: { int32_t L_41 = V_0; if (!L_41) { goto IL_00f2; } } { uint16_t* L_42 = V_3; uint16_t* L_43 = V_4; G_B27_0 = ((((int32_t)(*((uint16_t*)L_42))) == ((int32_t)(*((uint16_t*)L_43))))? 1 : 0); goto IL_00f3; } IL_00f2: { G_B27_0 = 1; } IL_00f3: { return (bool)G_B27_0; } } // System.Boolean System.String::Equals(System.Object) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Equals_m3763831415_MetadataUsageId; extern "C" bool String_Equals_m3763831415 (String_t* __this, Il2CppObject * ___obj, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Equals_m3763831415_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___obj; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_1 = String_Equals_m1002918753(NULL /*static, unused*/, __this, ((String_t*)IsInstSealed(L_0, String_t_il2cpp_TypeInfo_var)), /*hidden argument*/NULL); return L_1; } } // System.Boolean System.String::Equals(System.String) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Equals_m3541721061_MetadataUsageId; extern "C" bool String_Equals_m3541721061 (String_t* __this, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Equals_m3541721061_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___value; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_1 = String_Equals_m1002918753(NULL /*static, unused*/, __this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Char System.String::get_Chars(System.Int32) extern TypeInfo* IndexOutOfRangeException_t3760259642_il2cpp_TypeInfo_var; extern const uint32_t String_get_Chars_m3015341861_MetadataUsageId; extern "C" uint16_t String_get_Chars_m3015341861 (String_t* __this, int32_t ___index, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_get_Chars_m3015341861_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint16_t* V_0 = NULL; { int32_t L_0 = ___index; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_0013; } } { int32_t L_1 = ___index; int32_t L_2 = __this->get_length_0(); if ((((int32_t)L_1) < ((int32_t)L_2))) { goto IL_0019; } } IL_0013: { IndexOutOfRangeException_t3760259642 * L_3 = (IndexOutOfRangeException_t3760259642 *)il2cpp_codegen_object_new(IndexOutOfRangeException_t3760259642_il2cpp_TypeInfo_var); IndexOutOfRangeException__ctor_m707236112(L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0019: { uint16_t* L_4 = __this->get_address_of_start_char_1(); V_0 = (uint16_t*)L_4; uint16_t* L_5 = V_0; int32_t L_6 = ___index; return (*((uint16_t*)((uint16_t*)((intptr_t)L_5+(int32_t)((int32_t)((int32_t)L_6*(int32_t)2)))))); } } // System.Object System.String::Clone() extern "C" Il2CppObject * String_Clone_m2600780148 (String_t* __this, const MethodInfo* method) { { return __this; } } // System.Void System.String::CopyTo(System.Int32,System.Char[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2865120270; extern Il2CppCodeGenString* _stringLiteral4189825399; extern Il2CppCodeGenString* _stringLiteral2755219445; extern Il2CppCodeGenString* _stringLiteral1184910692; extern Il2CppCodeGenString* _stringLiteral3807424217; extern Il2CppCodeGenString* _stringLiteral94851343; extern Il2CppCodeGenString* _stringLiteral4270300471; extern Il2CppCodeGenString* _stringLiteral1970032842; extern const uint32_t String_CopyTo_m3455012278_MetadataUsageId; extern "C" void String_CopyTo_m3455012278 (String_t* __this, int32_t ___sourceIndex, CharU5BU5D_t3416858730* ___destination, int32_t ___destinationIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CopyTo_m3455012278_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint16_t* V_0 = NULL; uint16_t* V_1 = NULL; String_t* V_2 = NULL; uintptr_t G_B16_0 = 0; { CharU5BU5D_t3416858730* L_0 = ___destination; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral2865120270, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___sourceIndex; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0028; } } { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_3, _stringLiteral4189825399, _stringLiteral2755219445, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0028: { int32_t L_4 = ___destinationIndex; if ((((int32_t)L_4) >= ((int32_t)0))) { goto IL_003f; } } { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_5, _stringLiteral1184910692, _stringLiteral3807424217, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_003f: { int32_t L_6 = ___count; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0057; } } { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_7, _stringLiteral94851343, _stringLiteral3807424217, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0057: { int32_t L_8 = ___sourceIndex; int32_t L_9 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); int32_t L_10 = ___count; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)L_9-(int32_t)L_10))))) { goto IL_0076; } } { ArgumentOutOfRangeException_t3479058991 * L_11 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_11, _stringLiteral4189825399, _stringLiteral4270300471, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11); } IL_0076: { int32_t L_12 = ___destinationIndex; CharU5BU5D_t3416858730* L_13 = ___destination; NullCheck(L_13); int32_t L_14 = ___count; if ((((int32_t)L_12) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_13)->max_length))))-(int32_t)L_14))))) { goto IL_0092; } } { ArgumentOutOfRangeException_t3479058991 * L_15 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_15, _stringLiteral1184910692, _stringLiteral1970032842, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_15); } IL_0092: { CharU5BU5D_t3416858730* L_16 = ___destination; if (!L_16) { goto IL_00a0; } } { CharU5BU5D_t3416858730* L_17 = ___destination; NullCheck(L_17); if ((((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))) { goto IL_00a7; } } IL_00a0: { G_B16_0 = (((uintptr_t)0)); goto IL_00ae; } IL_00a7: { CharU5BU5D_t3416858730* L_18 = ___destination; NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, 0); G_B16_0 = ((uintptr_t)(((L_18)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_00ae: { V_0 = (uint16_t*)G_B16_0; V_2 = __this; String_t* L_19 = V_2; int32_t L_20 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_19))+(int32_t)L_20)); uint16_t* L_21 = V_0; int32_t L_22 = ___destinationIndex; uint16_t* L_23 = V_1; int32_t L_24 = ___sourceIndex; int32_t L_25 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_21+(int32_t)((int32_t)((int32_t)L_22*(int32_t)2)))), (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_23+(int32_t)((int32_t)((int32_t)L_24*(int32_t)2)))), L_25, /*hidden argument*/NULL); V_0 = (uint16_t*)(((uintptr_t)0)); V_2 = (String_t*)NULL; return; } } // System.Char[] System.String::ToCharArray() extern "C" CharU5BU5D_t3416858730* String_ToCharArray_m1208288742 (String_t* __this, const MethodInfo* method) { { int32_t L_0 = __this->get_length_0(); CharU5BU5D_t3416858730* L_1 = String_ToCharArray_m736861184(__this, 0, L_0, /*hidden argument*/NULL); return L_1; } } // System.Char[] System.String::ToCharArray(System.Int32,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* CharU5BU5D_t3416858730_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral58700; extern Il2CppCodeGenString* _stringLiteral3188603622; extern Il2CppCodeGenString* _stringLiteral1375481661; extern const uint32_t String_ToCharArray_m736861184_MetadataUsageId; extern "C" CharU5BU5D_t3416858730* String_ToCharArray_m736861184 (String_t* __this, int32_t ___startIndex, int32_t ___length, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_ToCharArray_m736861184_MetadataUsageId); s_Il2CppMethodIntialized = true; } CharU5BU5D_t3416858730* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; String_t* V_3 = NULL; uintptr_t G_B10_0 = 0; { int32_t L_0 = ___startIndex; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0017; } } { ArgumentOutOfRangeException_t3479058991 * L_1 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_1, _stringLiteral2701320592, _stringLiteral58700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0017: { int32_t L_2 = ___length; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_002e; } } { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_3, _stringLiteral3188603622, _stringLiteral58700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_002e: { int32_t L_4 = ___startIndex; int32_t L_5 = __this->get_length_0(); int32_t L_6 = ___length; if ((((int32_t)L_4) <= ((int32_t)((int32_t)((int32_t)L_5-(int32_t)L_6))))) { goto IL_004c; } } { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_7, _stringLiteral2701320592, _stringLiteral1375481661, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_004c: { int32_t L_8 = ___length; V_0 = ((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_8)); CharU5BU5D_t3416858730* L_9 = V_0; if (!L_9) { goto IL_0061; } } { CharU5BU5D_t3416858730* L_10 = V_0; NullCheck(L_10); if ((((int32_t)((int32_t)(((Il2CppArray *)L_10)->max_length))))) { goto IL_0068; } } IL_0061: { G_B10_0 = (((uintptr_t)0)); goto IL_006f; } IL_0068: { CharU5BU5D_t3416858730* L_11 = V_0; NullCheck(L_11); IL2CPP_ARRAY_BOUNDS_CHECK(L_11, 0); G_B10_0 = ((uintptr_t)(((L_11)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_006f: { V_1 = (uint16_t*)G_B10_0; V_3 = __this; String_t* L_12 = V_3; int32_t L_13 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_12))+(int32_t)L_13)); uint16_t* L_14 = V_1; uint16_t* L_15 = V_2; int32_t L_16 = ___startIndex; int32_t L_17 = ___length; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_14, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_15+(int32_t)((int32_t)((int32_t)L_16*(int32_t)2)))), L_17, /*hidden argument*/NULL); V_1 = (uint16_t*)(((uintptr_t)0)); V_3 = (String_t*)NULL; CharU5BU5D_t3416858730* L_18 = V_0; return L_18; } } // System.String[] System.String::Split(System.Char[]) extern "C" StringU5BU5D_t2956870243* String_Split_m290179486 (String_t* __this, CharU5BU5D_t3416858730* ___separator, const MethodInfo* method) { { CharU5BU5D_t3416858730* L_0 = ___separator; StringU5BU5D_t2956870243* L_1 = String_Split_m434660345(__this, L_0, ((int32_t)2147483647LL), /*hidden argument*/NULL); return L_1; } } // System.String[] System.String::Split(System.Char[],System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* StringU5BU5D_t2956870243_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t String_Split_m434660345_MetadataUsageId; extern "C" StringU5BU5D_t2956870243* String_Split_m434660345 (String_t* __this, CharU5BU5D_t3416858730* ___separator, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Split_m434660345_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___separator; if (!L_0) { goto IL_000e; } } { CharU5BU5D_t3416858730* L_1 = ___separator; NullCheck(L_1); if ((((int32_t)((int32_t)(((Il2CppArray *)L_1)->max_length))))) { goto IL_0015; } } IL_000e: { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); CharU5BU5D_t3416858730* L_2 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_WhiteChars_3(); ___separator = L_2; } IL_0015: { int32_t L_3 = ___count; if ((((int32_t)L_3) >= ((int32_t)0))) { goto IL_0027; } } { ArgumentOutOfRangeException_t3479058991 * L_4 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_4, _stringLiteral94851343, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_0027: { int32_t L_5 = ___count; if (L_5) { goto IL_0034; } } { return ((StringU5BU5D_t2956870243*)SZArrayNew(StringU5BU5D_t2956870243_il2cpp_TypeInfo_var, (uint32_t)0)); } IL_0034: { int32_t L_6 = ___count; if ((!(((uint32_t)L_6) == ((uint32_t)1)))) { goto IL_0046; } } { StringU5BU5D_t2956870243* L_7 = ((StringU5BU5D_t2956870243*)SZArrayNew(StringU5BU5D_t2956870243_il2cpp_TypeInfo_var, (uint32_t)1)); NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, 0); ArrayElementTypeCheck (L_7, __this); (L_7)->SetAt(static_cast<il2cpp_array_size_t>(0), (String_t*)__this); return L_7; } IL_0046: { CharU5BU5D_t3416858730* L_8 = ___separator; int32_t L_9 = ___count; StringU5BU5D_t2956870243* L_10 = String_InternalSplit_m354977691(__this, L_8, L_9, 0, /*hidden argument*/NULL); return L_10; } } // System.String[] System.String::Split(System.Char[],System.Int32,System.StringSplitOptions) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* StringSplitOptions_t3963075722_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* StringU5BU5D_t2956870243_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94851343; extern Il2CppCodeGenString* _stringLiteral2151920797; extern Il2CppCodeGenString* _stringLiteral1298096322; extern Il2CppCodeGenString* _stringLiteral46; extern const uint32_t String_Split_m1407702193_MetadataUsageId; extern "C" StringU5BU5D_t2956870243* String_Split_m1407702193 (String_t* __this, CharU5BU5D_t3416858730* ___separator, int32_t ___count, int32_t ___options, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Split_m1407702193_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___separator; if (!L_0) { goto IL_000e; } } { CharU5BU5D_t3416858730* L_1 = ___separator; NullCheck(L_1); if ((((int32_t)((int32_t)(((Il2CppArray *)L_1)->max_length))))) { goto IL_001c; } } IL_000e: { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); CharU5BU5D_t3416858730* L_2 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_WhiteChars_3(); int32_t L_3 = ___count; int32_t L_4 = ___options; StringU5BU5D_t2956870243* L_5 = String_Split_m1407702193(__this, L_2, L_3, L_4, /*hidden argument*/NULL); return L_5; } IL_001c: { int32_t L_6 = ___count; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0033; } } { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_7, _stringLiteral94851343, _stringLiteral2151920797, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0033: { int32_t L_8 = ___options; if (!L_8) { goto IL_005b; } } { int32_t L_9 = ___options; if ((((int32_t)L_9) == ((int32_t)1))) { goto IL_005b; } } { int32_t L_10 = ___options; int32_t L_11 = L_10; Il2CppObject * L_12 = Box(StringSplitOptions_t3963075722_il2cpp_TypeInfo_var, &L_11); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_13 = String_Concat_m2809334143(NULL /*static, unused*/, _stringLiteral1298096322, L_12, _stringLiteral46, /*hidden argument*/NULL); ArgumentException_t124305799 * L_14 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_14, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_005b: { int32_t L_15 = ___count; if (L_15) { goto IL_0068; } } { return ((StringU5BU5D_t2956870243*)SZArrayNew(StringU5BU5D_t2956870243_il2cpp_TypeInfo_var, (uint32_t)0)); } IL_0068: { CharU5BU5D_t3416858730* L_16 = ___separator; int32_t L_17 = ___count; int32_t L_18 = ___options; StringU5BU5D_t2956870243* L_19 = String_InternalSplit_m354977691(__this, L_16, L_17, L_18, /*hidden argument*/NULL); return L_19; } } // System.String[] System.String::Split(System.String[],System.Int32,System.StringSplitOptions) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* StringSplitOptions_t3963075722_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* StringU5BU5D_t2956870243_il2cpp_TypeInfo_var; extern TypeInfo* List_1_t1765447871_il2cpp_TypeInfo_var; extern const MethodInfo* List_1__ctor_m459821414_MethodInfo_var; extern const MethodInfo* List_1_ToArray_m3629032741_MethodInfo_var; extern Il2CppCodeGenString* _stringLiteral94851343; extern Il2CppCodeGenString* _stringLiteral2151920797; extern Il2CppCodeGenString* _stringLiteral1298096322; extern Il2CppCodeGenString* _stringLiteral46; extern const uint32_t String_Split_m985753324_MetadataUsageId; extern "C" StringU5BU5D_t2956870243* String_Split_m985753324 (String_t* __this, StringU5BU5D_t2956870243* ___separator, int32_t ___count, int32_t ___options, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Split_m985753324_MetadataUsageId); s_Il2CppMethodIntialized = true; } bool V_0 = false; List_1_t1765447871 * V_1 = NULL; int32_t V_2 = 0; int32_t V_3 = 0; int32_t V_4 = 0; int32_t V_5 = 0; int32_t V_6 = 0; String_t* V_7 = NULL; int32_t V_8 = 0; { StringU5BU5D_t2956870243* L_0 = ___separator; if (!L_0) { goto IL_000e; } } { StringU5BU5D_t2956870243* L_1 = ___separator; NullCheck(L_1); if ((((int32_t)((int32_t)(((Il2CppArray *)L_1)->max_length))))) { goto IL_001c; } } IL_000e: { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); CharU5BU5D_t3416858730* L_2 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_WhiteChars_3(); int32_t L_3 = ___count; int32_t L_4 = ___options; StringU5BU5D_t2956870243* L_5 = String_Split_m1407702193(__this, L_2, L_3, L_4, /*hidden argument*/NULL); return L_5; } IL_001c: { int32_t L_6 = ___count; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0033; } } { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_7, _stringLiteral94851343, _stringLiteral2151920797, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0033: { int32_t L_8 = ___options; if (!L_8) { goto IL_005b; } } { int32_t L_9 = ___options; if ((((int32_t)L_9) == ((int32_t)1))) { goto IL_005b; } } { int32_t L_10 = ___options; int32_t L_11 = L_10; Il2CppObject * L_12 = Box(StringSplitOptions_t3963075722_il2cpp_TypeInfo_var, &L_11); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_13 = String_Concat_m2809334143(NULL /*static, unused*/, _stringLiteral1298096322, L_12, _stringLiteral46, /*hidden argument*/NULL); ArgumentException_t124305799 * L_14 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_14, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_005b: { int32_t L_15 = ___count; if ((!(((uint32_t)L_15) == ((uint32_t)1)))) { goto IL_006d; } } { StringU5BU5D_t2956870243* L_16 = ((StringU5BU5D_t2956870243*)SZArrayNew(StringU5BU5D_t2956870243_il2cpp_TypeInfo_var, (uint32_t)1)); NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, 0); ArrayElementTypeCheck (L_16, __this); (L_16)->SetAt(static_cast<il2cpp_array_size_t>(0), (String_t*)__this); return L_16; } IL_006d: { int32_t L_17 = ___options; V_0 = (bool)((((int32_t)((int32_t)((int32_t)L_17&(int32_t)1))) == ((int32_t)1))? 1 : 0); int32_t L_18 = ___count; if (!L_18) { goto IL_0090; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_19 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); bool L_20 = String_op_Equality_m1260523650(NULL /*static, unused*/, __this, L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0097; } } { bool L_21 = V_0; if (!L_21) { goto IL_0097; } } IL_0090: { return ((StringU5BU5D_t2956870243*)SZArrayNew(StringU5BU5D_t2956870243_il2cpp_TypeInfo_var, (uint32_t)0)); } IL_0097: { List_1_t1765447871 * L_22 = (List_1_t1765447871 *)il2cpp_codegen_object_new(List_1_t1765447871_il2cpp_TypeInfo_var); List_1__ctor_m459821414(L_22, /*hidden argument*/List_1__ctor_m459821414_MethodInfo_var); V_1 = L_22; V_2 = 0; V_3 = 0; goto IL_015f; } IL_00a6: { V_4 = (-1); V_5 = ((int32_t)2147483647LL); V_6 = 0; goto IL_0105; } IL_00b8: { StringU5BU5D_t2956870243* L_23 = ___separator; int32_t L_24 = V_6; NullCheck(L_23); IL2CPP_ARRAY_BOUNDS_CHECK(L_23, L_24); int32_t L_25 = L_24; V_7 = ((L_23)->GetAt(static_cast<il2cpp_array_size_t>(L_25))); String_t* L_26 = V_7; if (!L_26) { goto IL_00d6; } } { String_t* L_27 = V_7; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_28 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); bool L_29 = String_op_Equality_m1260523650(NULL /*static, unused*/, L_27, L_28, /*hidden argument*/NULL); if (!L_29) { goto IL_00db; } } IL_00d6: { goto IL_00ff; } IL_00db: { String_t* L_30 = V_7; int32_t L_31 = V_2; int32_t L_32 = String_IndexOf_m1991631068(__this, L_30, L_31, /*hidden argument*/NULL); V_8 = L_32; int32_t L_33 = V_8; if ((((int32_t)L_33) <= ((int32_t)(-1)))) { goto IL_00ff; } } { int32_t L_34 = V_8; int32_t L_35 = V_5; if ((((int32_t)L_34) >= ((int32_t)L_35))) { goto IL_00ff; } } { int32_t L_36 = V_6; V_4 = L_36; int32_t L_37 = V_8; V_5 = L_37; } IL_00ff: { int32_t L_38 = V_6; V_6 = ((int32_t)((int32_t)L_38+(int32_t)1)); } IL_0105: { int32_t L_39 = V_6; StringU5BU5D_t2956870243* L_40 = ___separator; NullCheck(L_40); if ((((int32_t)L_39) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_40)->max_length))))))) { goto IL_00b8; } } { int32_t L_41 = V_4; if ((!(((uint32_t)L_41) == ((uint32_t)(-1))))) { goto IL_011c; } } { goto IL_016b; } IL_011c: { int32_t L_42 = V_5; int32_t L_43 = V_2; if ((!(((uint32_t)L_42) == ((uint32_t)L_43)))) { goto IL_012a; } } { bool L_44 = V_0; if (L_44) { goto IL_014e; } } IL_012a: { List_1_t1765447871 * L_45 = V_1; NullCheck(L_45); int32_t L_46 = VirtFuncInvoker0< int32_t >::Invoke(20 /* System.Int32 System.Collections.Generic.List`1<System.String>::get_Count() */, L_45); int32_t L_47 = ___count; if ((!(((uint32_t)L_46) == ((uint32_t)((int32_t)((int32_t)L_47-(int32_t)1)))))) { goto IL_013d; } } { goto IL_016b; } IL_013d: { List_1_t1765447871 * L_48 = V_1; int32_t L_49 = V_2; int32_t L_50 = V_5; int32_t L_51 = V_2; String_t* L_52 = String_Substring_m675079568(__this, L_49, ((int32_t)((int32_t)L_50-(int32_t)L_51)), /*hidden argument*/NULL); NullCheck(L_48); VirtActionInvoker1< String_t* >::Invoke(22 /* System.Void System.Collections.Generic.List`1<System.String>::Add(T) */, L_48, L_52); } IL_014e: { int32_t L_53 = V_5; StringU5BU5D_t2956870243* L_54 = ___separator; int32_t L_55 = V_4; NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, L_55); int32_t L_56 = L_55; NullCheck(((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_56)))); int32_t L_57 = String_get_Length_m2979997331(((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_56))), /*hidden argument*/NULL); V_2 = ((int32_t)((int32_t)L_53+(int32_t)L_57)); int32_t L_58 = V_3; V_3 = ((int32_t)((int32_t)L_58+(int32_t)1)); } IL_015f: { int32_t L_59 = V_2; int32_t L_60 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); if ((((int32_t)L_59) < ((int32_t)L_60))) { goto IL_00a6; } } IL_016b: { int32_t L_61 = V_3; if (L_61) { goto IL_017c; } } { StringU5BU5D_t2956870243* L_62 = ((StringU5BU5D_t2956870243*)SZArrayNew(StringU5BU5D_t2956870243_il2cpp_TypeInfo_var, (uint32_t)1)); NullCheck(L_62); IL2CPP_ARRAY_BOUNDS_CHECK(L_62, 0); ArrayElementTypeCheck (L_62, __this); (L_62)->SetAt(static_cast<il2cpp_array_size_t>(0), (String_t*)__this); return L_62; } IL_017c: { bool L_63 = V_0; if (!L_63) { goto IL_01a6; } } { int32_t L_64 = V_3; if (!L_64) { goto IL_01a6; } } { int32_t L_65 = V_2; int32_t L_66 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); if ((!(((uint32_t)L_65) == ((uint32_t)L_66)))) { goto IL_01a6; } } { List_1_t1765447871 * L_67 = V_1; NullCheck(L_67); int32_t L_68 = VirtFuncInvoker0< int32_t >::Invoke(20 /* System.Int32 System.Collections.Generic.List`1<System.String>::get_Count() */, L_67); if (L_68) { goto IL_01a6; } } { return ((StringU5BU5D_t2956870243*)SZArrayNew(StringU5BU5D_t2956870243_il2cpp_TypeInfo_var, (uint32_t)0)); } IL_01a6: { bool L_69 = V_0; if (!L_69) { goto IL_01b8; } } { int32_t L_70 = V_2; int32_t L_71 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); if ((((int32_t)L_70) == ((int32_t)L_71))) { goto IL_01c5; } } IL_01b8: { List_1_t1765447871 * L_72 = V_1; int32_t L_73 = V_2; String_t* L_74 = String_Substring_m2809233063(__this, L_73, /*hidden argument*/NULL); NullCheck(L_72); VirtActionInvoker1< String_t* >::Invoke(22 /* System.Void System.Collections.Generic.List`1<System.String>::Add(T) */, L_72, L_74); } IL_01c5: { List_1_t1765447871 * L_75 = V_1; NullCheck(L_75); StringU5BU5D_t2956870243* L_76 = List_1_ToArray_m3629032741(L_75, /*hidden argument*/List_1_ToArray_m3629032741_MethodInfo_var); return L_76; } } // System.String[] System.String::Split(System.String[],System.StringSplitOptions) extern "C" StringU5BU5D_t2956870243* String_Split_m459616251 (String_t* __this, StringU5BU5D_t2956870243* ___separator, int32_t ___options, const MethodInfo* method) { { StringU5BU5D_t2956870243* L_0 = ___separator; int32_t L_1 = ___options; StringU5BU5D_t2956870243* L_2 = String_Split_m985753324(__this, L_0, ((int32_t)2147483647LL), L_1, /*hidden argument*/NULL); return L_2; } } // System.String System.String::Substring(System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2701320592; extern const uint32_t String_Substring_m2809233063_MetadataUsageId; extern "C" String_t* String_Substring_m2809233063 (String_t* __this, int32_t ___startIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Substring_m2809233063_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___startIndex; if (L_0) { goto IL_0008; } } { return __this; } IL_0008: { int32_t L_1 = ___startIndex; if ((((int32_t)L_1) < ((int32_t)0))) { goto IL_001b; } } { int32_t L_2 = ___startIndex; int32_t L_3 = __this->get_length_0(); if ((((int32_t)L_2) <= ((int32_t)L_3))) { goto IL_0026; } } IL_001b: { ArgumentOutOfRangeException_t3479058991 * L_4 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_4, _stringLiteral2701320592, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_0026: { int32_t L_5 = ___startIndex; int32_t L_6 = __this->get_length_0(); int32_t L_7 = ___startIndex; String_t* L_8 = String_SubstringUnchecked_m3781557708(__this, L_5, ((int32_t)((int32_t)L_6-(int32_t)L_7)), /*hidden argument*/NULL); return L_8; } } // System.String System.String::Substring(System.Int32,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3188603622; extern Il2CppCodeGenString* _stringLiteral3807424217; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral2259456351; extern Il2CppCodeGenString* _stringLiteral3514873087; extern const uint32_t String_Substring_m675079568_MetadataUsageId; extern "C" String_t* String_Substring_m675079568 (String_t* __this, int32_t ___startIndex, int32_t ___length, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Substring_m675079568_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___length; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0017; } } { ArgumentOutOfRangeException_t3479058991 * L_1 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_1, _stringLiteral3188603622, _stringLiteral3807424217, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0017: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_002e; } } { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_3, _stringLiteral2701320592, _stringLiteral3807424217, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_002e: { int32_t L_4 = ___startIndex; int32_t L_5 = __this->get_length_0(); if ((((int32_t)L_4) <= ((int32_t)L_5))) { goto IL_004a; } } { ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral2701320592, _stringLiteral2259456351, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_004a: { int32_t L_7 = ___startIndex; int32_t L_8 = __this->get_length_0(); int32_t L_9 = ___length; if ((((int32_t)L_7) <= ((int32_t)((int32_t)((int32_t)L_8-(int32_t)L_9))))) { goto IL_0068; } } { ArgumentOutOfRangeException_t3479058991 * L_10 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_10, _stringLiteral3188603622, _stringLiteral3514873087, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_10); } IL_0068: { int32_t L_11 = ___startIndex; if (L_11) { goto IL_007c; } } { int32_t L_12 = ___length; int32_t L_13 = __this->get_length_0(); if ((!(((uint32_t)L_12) == ((uint32_t)L_13)))) { goto IL_007c; } } { return __this; } IL_007c: { int32_t L_14 = ___startIndex; int32_t L_15 = ___length; String_t* L_16 = String_SubstringUnchecked_m3781557708(__this, L_14, L_15, /*hidden argument*/NULL); return L_16; } } // System.String System.String::SubstringUnchecked(System.Int32,System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_SubstringUnchecked_m3781557708_MetadataUsageId; extern "C" String_t* String_SubstringUnchecked_m3781557708 (String_t* __this, int32_t ___startIndex, int32_t ___length, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_SubstringUnchecked_m3781557708_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; String_t* V_3 = NULL; String_t* V_4 = NULL; { int32_t L_0 = ___length; if (L_0) { goto IL_000c; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_1; } IL_000c: { int32_t L_2 = ___length; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_3 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); V_0 = L_3; String_t* L_4 = V_0; V_3 = L_4; String_t* L_5 = V_3; int32_t L_6 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_5))+(int32_t)L_6)); V_4 = __this; String_t* L_7 = V_4; int32_t L_8 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_7))+(int32_t)L_8)); uint16_t* L_9 = V_1; uint16_t* L_10 = V_2; int32_t L_11 = ___startIndex; int32_t L_12 = ___length; String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_9, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_10+(int32_t)((int32_t)((int32_t)L_11*(int32_t)2)))), L_12, /*hidden argument*/NULL); V_3 = (String_t*)NULL; V_4 = (String_t*)NULL; String_t* L_13 = V_0; return L_13; } } // System.String System.String::Trim() extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Trim_m1030489823_MetadataUsageId; extern "C" String_t* String_Trim_m1030489823 (String_t* __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Trim_m1030489823_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = __this->get_length_0(); if (L_0) { goto IL_0011; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_1; } IL_0011: { int32_t L_2 = __this->get_length_0(); int32_t L_3 = String_FindNotWhiteSpace_m1718857862(__this, 0, L_2, 1, /*hidden argument*/NULL); V_0 = L_3; int32_t L_4 = V_0; int32_t L_5 = __this->get_length_0(); if ((!(((uint32_t)L_4) == ((uint32_t)L_5)))) { goto IL_0032; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_6 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_6; } IL_0032: { int32_t L_7 = __this->get_length_0(); int32_t L_8 = V_0; int32_t L_9 = String_FindNotWhiteSpace_m1718857862(__this, ((int32_t)((int32_t)L_7-(int32_t)1)), L_8, (-1), /*hidden argument*/NULL); V_1 = L_9; int32_t L_10 = V_1; int32_t L_11 = V_0; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_10-(int32_t)L_11))+(int32_t)1)); int32_t L_12 = V_2; int32_t L_13 = __this->get_length_0(); if ((!(((uint32_t)L_12) == ((uint32_t)L_13)))) { goto IL_0057; } } { return __this; } IL_0057: { int32_t L_14 = V_0; int32_t L_15 = V_2; String_t* L_16 = String_SubstringUnchecked_m3781557708(__this, L_14, L_15, /*hidden argument*/NULL); return L_16; } } // System.String System.String::Trim(System.Char[]) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Trim_m1469603388_MetadataUsageId; extern "C" String_t* String_Trim_m1469603388 (String_t* __this, CharU5BU5D_t3416858730* ___trimChars, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Trim_m1469603388_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { CharU5BU5D_t3416858730* L_0 = ___trimChars; if (!L_0) { goto IL_000e; } } { CharU5BU5D_t3416858730* L_1 = ___trimChars; NullCheck(L_1); if ((((int32_t)((int32_t)(((Il2CppArray *)L_1)->max_length))))) { goto IL_0015; } } IL_000e: { String_t* L_2 = String_Trim_m1030489823(__this, /*hidden argument*/NULL); return L_2; } IL_0015: { int32_t L_3 = __this->get_length_0(); if (L_3) { goto IL_0026; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_4 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_4; } IL_0026: { int32_t L_5 = __this->get_length_0(); CharU5BU5D_t3416858730* L_6 = ___trimChars; int32_t L_7 = String_FindNotInTable_m3192184121(__this, 0, L_5, 1, L_6, /*hidden argument*/NULL); V_0 = L_7; int32_t L_8 = V_0; int32_t L_9 = __this->get_length_0(); if ((!(((uint32_t)L_8) == ((uint32_t)L_9)))) { goto IL_0048; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_10 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_10; } IL_0048: { int32_t L_11 = __this->get_length_0(); int32_t L_12 = V_0; CharU5BU5D_t3416858730* L_13 = ___trimChars; int32_t L_14 = String_FindNotInTable_m3192184121(__this, ((int32_t)((int32_t)L_11-(int32_t)1)), L_12, (-1), L_13, /*hidden argument*/NULL); V_1 = L_14; int32_t L_15 = V_1; int32_t L_16 = V_0; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)L_15-(int32_t)L_16))+(int32_t)1)); int32_t L_17 = V_2; int32_t L_18 = __this->get_length_0(); if ((!(((uint32_t)L_17) == ((uint32_t)L_18)))) { goto IL_006e; } } { return __this; } IL_006e: { int32_t L_19 = V_0; int32_t L_20 = V_2; String_t* L_21 = String_SubstringUnchecked_m3781557708(__this, L_19, L_20, /*hidden argument*/NULL); return L_21; } } // System.String System.String::TrimStart(System.Char[]) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_TrimStart_m3483716918_MetadataUsageId; extern "C" String_t* String_TrimStart_m3483716918 (String_t* __this, CharU5BU5D_t3416858730* ___trimChars, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_TrimStart_m3483716918_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { int32_t L_0 = __this->get_length_0(); if (L_0) { goto IL_0011; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_1; } IL_0011: { CharU5BU5D_t3416858730* L_2 = ___trimChars; if (!L_2) { goto IL_001f; } } { CharU5BU5D_t3416858730* L_3 = ___trimChars; NullCheck(L_3); if ((((int32_t)((int32_t)(((Il2CppArray *)L_3)->max_length))))) { goto IL_0033; } } IL_001f: { int32_t L_4 = __this->get_length_0(); int32_t L_5 = String_FindNotWhiteSpace_m1718857862(__this, 0, L_4, 1, /*hidden argument*/NULL); V_0 = L_5; goto IL_0043; } IL_0033: { int32_t L_6 = __this->get_length_0(); CharU5BU5D_t3416858730* L_7 = ___trimChars; int32_t L_8 = String_FindNotInTable_m3192184121(__this, 0, L_6, 1, L_7, /*hidden argument*/NULL); V_0 = L_8; } IL_0043: { int32_t L_9 = V_0; if (L_9) { goto IL_004b; } } { return __this; } IL_004b: { int32_t L_10 = V_0; int32_t L_11 = __this->get_length_0(); int32_t L_12 = V_0; String_t* L_13 = String_SubstringUnchecked_m3781557708(__this, L_10, ((int32_t)((int32_t)L_11-(int32_t)L_12)), /*hidden argument*/NULL); return L_13; } } // System.String System.String::TrimEnd(System.Char[]) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_TrimEnd_m3980947229_MetadataUsageId; extern "C" String_t* String_TrimEnd_m3980947229 (String_t* __this, CharU5BU5D_t3416858730* ___trimChars, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_TrimEnd_m3980947229_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { int32_t L_0 = __this->get_length_0(); if (L_0) { goto IL_0011; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_1; } IL_0011: { CharU5BU5D_t3416858730* L_2 = ___trimChars; if (!L_2) { goto IL_001f; } } { CharU5BU5D_t3416858730* L_3 = ___trimChars; NullCheck(L_3); if ((((int32_t)((int32_t)(((Il2CppArray *)L_3)->max_length))))) { goto IL_0035; } } IL_001f: { int32_t L_4 = __this->get_length_0(); int32_t L_5 = String_FindNotWhiteSpace_m1718857862(__this, ((int32_t)((int32_t)L_4-(int32_t)1)), (-1), (-1), /*hidden argument*/NULL); V_0 = L_5; goto IL_0047; } IL_0035: { int32_t L_6 = __this->get_length_0(); CharU5BU5D_t3416858730* L_7 = ___trimChars; int32_t L_8 = String_FindNotInTable_m3192184121(__this, ((int32_t)((int32_t)L_6-(int32_t)1)), (-1), (-1), L_7, /*hidden argument*/NULL); V_0 = L_8; } IL_0047: { int32_t L_9 = V_0; V_0 = ((int32_t)((int32_t)L_9+(int32_t)1)); int32_t L_10 = V_0; int32_t L_11 = __this->get_length_0(); if ((!(((uint32_t)L_10) == ((uint32_t)L_11)))) { goto IL_0059; } } { return __this; } IL_0059: { int32_t L_12 = V_0; String_t* L_13 = String_SubstringUnchecked_m3781557708(__this, 0, L_12, /*hidden argument*/NULL); return L_13; } } // System.Int32 System.String::FindNotWhiteSpace(System.Int32,System.Int32,System.Int32) extern "C" int32_t String_FindNotWhiteSpace_m1718857862 (String_t* __this, int32_t ___pos, int32_t ___target, int32_t ___change, const MethodInfo* method) { uint16_t V_0 = 0x0; { goto IL_00b7; } IL_0005: { int32_t L_0 = ___pos; uint16_t L_1 = String_get_Chars_m3015341861(__this, L_0, /*hidden argument*/NULL); V_0 = L_1; uint16_t L_2 = V_0; if ((((int32_t)L_2) >= ((int32_t)((int32_t)133)))) { goto IL_0037; } } { uint16_t L_3 = V_0; if ((((int32_t)L_3) == ((int32_t)((int32_t)32)))) { goto IL_0032; } } { uint16_t L_4 = V_0; if ((((int32_t)L_4) < ((int32_t)((int32_t)9)))) { goto IL_0030; } } { uint16_t L_5 = V_0; if ((((int32_t)L_5) <= ((int32_t)((int32_t)13)))) { goto IL_0032; } } IL_0030: { int32_t L_6 = ___pos; return L_6; } IL_0032: { goto IL_00b2; } IL_0037: { uint16_t L_7 = V_0; if ((((int32_t)L_7) == ((int32_t)((int32_t)160)))) { goto IL_00b2; } } { uint16_t L_8 = V_0; if ((((int32_t)L_8) == ((int32_t)((int32_t)65279)))) { goto IL_00b2; } } { uint16_t L_9 = V_0; if ((((int32_t)L_9) == ((int32_t)((int32_t)12288)))) { goto IL_00b2; } } { uint16_t L_10 = V_0; if ((((int32_t)L_10) == ((int32_t)((int32_t)133)))) { goto IL_00b2; } } { uint16_t L_11 = V_0; if ((((int32_t)L_11) == ((int32_t)((int32_t)5760)))) { goto IL_00b2; } } { uint16_t L_12 = V_0; if ((((int32_t)L_12) == ((int32_t)((int32_t)8232)))) { goto IL_00b2; } } { uint16_t L_13 = V_0; if ((((int32_t)L_13) == ((int32_t)((int32_t)8233)))) { goto IL_00b2; } } { uint16_t L_14 = V_0; if ((((int32_t)L_14) == ((int32_t)((int32_t)8239)))) { goto IL_00b2; } } { uint16_t L_15 = V_0; if ((((int32_t)L_15) == ((int32_t)((int32_t)8287)))) { goto IL_00b2; } } { uint16_t L_16 = V_0; if ((((int32_t)L_16) < ((int32_t)((int32_t)8192)))) { goto IL_00b0; } } { uint16_t L_17 = V_0; if ((((int32_t)L_17) <= ((int32_t)((int32_t)8203)))) { goto IL_00b2; } } IL_00b0: { int32_t L_18 = ___pos; return L_18; } IL_00b2: { int32_t L_19 = ___pos; int32_t L_20 = ___change; ___pos = ((int32_t)((int32_t)L_19+(int32_t)L_20)); } IL_00b7: { int32_t L_21 = ___pos; int32_t L_22 = ___target; if ((!(((uint32_t)L_21) == ((uint32_t)L_22)))) { goto IL_0005; } } { int32_t L_23 = ___pos; return L_23; } } // System.Int32 System.String::FindNotInTable(System.Int32,System.Int32,System.Int32,System.Char[]) extern "C" int32_t String_FindNotInTable_m3192184121 (String_t* __this, int32_t ___pos, int32_t ___target, int32_t ___change, CharU5BU5D_t3416858730* ___table, const MethodInfo* method) { uint16_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t V_2 = 0x0; int32_t V_3 = 0; String_t* V_4 = NULL; uintptr_t G_B4_0 = 0; { CharU5BU5D_t3416858730* L_0 = ___table; if (!L_0) { goto IL_0010; } } { CharU5BU5D_t3416858730* L_1 = ___table; NullCheck(L_1); if ((((int32_t)((int32_t)(((Il2CppArray *)L_1)->max_length))))) { goto IL_0017; } } IL_0010: { G_B4_0 = (((uintptr_t)0)); goto IL_001f; } IL_0017: { CharU5BU5D_t3416858730* L_2 = ___table; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 0); G_B4_0 = ((uintptr_t)(((L_2)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_001f: { V_0 = (uint16_t*)G_B4_0; V_4 = __this; String_t* L_3 = V_4; int32_t L_4 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_3))+(int32_t)L_4)); goto IL_0070; } IL_0032: { uint16_t* L_5 = V_1; int32_t L_6 = ___pos; V_2 = (*((uint16_t*)((uint16_t*)((intptr_t)L_5+(int32_t)((int32_t)((int32_t)L_6*(int32_t)2)))))); V_3 = 0; goto IL_0055; } IL_0040: { uint16_t L_7 = V_2; uint16_t* L_8 = V_0; int32_t L_9 = V_3; if ((!(((uint32_t)L_7) == ((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_8+(int32_t)((int32_t)((int32_t)L_9*(int32_t)2)))))))))) { goto IL_0051; } } { goto IL_005f; } IL_0051: { int32_t L_10 = V_3; V_3 = ((int32_t)((int32_t)L_10+(int32_t)1)); } IL_0055: { int32_t L_11 = V_3; CharU5BU5D_t3416858730* L_12 = ___table; NullCheck(L_12); if ((((int32_t)L_11) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_12)->max_length))))))) { goto IL_0040; } } IL_005f: { int32_t L_13 = V_3; CharU5BU5D_t3416858730* L_14 = ___table; NullCheck(L_14); if ((!(((uint32_t)L_13) == ((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_14)->max_length)))))))) { goto IL_006b; } } { int32_t L_15 = ___pos; return L_15; } IL_006b: { int32_t L_16 = ___pos; int32_t L_17 = ___change; ___pos = ((int32_t)((int32_t)L_16+(int32_t)L_17)); } IL_0070: { int32_t L_18 = ___pos; int32_t L_19 = ___target; if ((!(((uint32_t)L_18) == ((uint32_t)L_19)))) { goto IL_0032; } } { V_0 = (uint16_t*)(((uintptr_t)0)); V_4 = (String_t*)NULL; int32_t L_20 = ___pos; return L_20; } } // System.Int32 System.String::Compare(System.String,System.String) extern TypeInfo* CultureInfo_t3603717042_il2cpp_TypeInfo_var; extern const uint32_t String_Compare_m1439712187_MetadataUsageId; extern "C" int32_t String_Compare_m1439712187 (Il2CppObject * __this /* static, unused */, String_t* ___strA, String_t* ___strB, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Compare_m1439712187_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_0 = CultureInfo_get_CurrentCulture_m2905498779(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_0); CompareInfo_t4023832425 * L_1 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_0); String_t* L_2 = ___strA; String_t* L_3 = ___strB; NullCheck(L_1); int32_t L_4 = VirtFuncInvoker3< int32_t, String_t*, String_t*, int32_t >::Invoke(6 /* System.Int32 System.Globalization.CompareInfo::Compare(System.String,System.String,System.Globalization.CompareOptions) */, L_1, L_2, L_3, 0); return L_4; } } // System.Int32 System.String::Compare(System.String,System.String,System.Boolean) extern TypeInfo* CultureInfo_t3603717042_il2cpp_TypeInfo_var; extern const uint32_t String_Compare_m1309590114_MetadataUsageId; extern "C" int32_t String_Compare_m1309590114 (Il2CppObject * __this /* static, unused */, String_t* ___strA, String_t* ___strB, bool ___ignoreCase, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Compare_m1309590114_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* G_B2_0 = NULL; String_t* G_B2_1 = NULL; CompareInfo_t4023832425 * G_B2_2 = NULL; String_t* G_B1_0 = NULL; String_t* G_B1_1 = NULL; CompareInfo_t4023832425 * G_B1_2 = NULL; int32_t G_B3_0 = 0; String_t* G_B3_1 = NULL; String_t* G_B3_2 = NULL; CompareInfo_t4023832425 * G_B3_3 = NULL; { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_0 = CultureInfo_get_CurrentCulture_m2905498779(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_0); CompareInfo_t4023832425 * L_1 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_0); String_t* L_2 = ___strA; String_t* L_3 = ___strB; bool L_4 = ___ignoreCase; G_B1_0 = L_3; G_B1_1 = L_2; G_B1_2 = L_1; if (!L_4) { G_B2_0 = L_3; G_B2_1 = L_2; G_B2_2 = L_1; goto IL_0018; } } { G_B3_0 = 1; G_B3_1 = G_B1_0; G_B3_2 = G_B1_1; G_B3_3 = G_B1_2; goto IL_0019; } IL_0018: { G_B3_0 = 0; G_B3_1 = G_B2_0; G_B3_2 = G_B2_1; G_B3_3 = G_B2_2; } IL_0019: { NullCheck(G_B3_3); int32_t L_5 = VirtFuncInvoker3< int32_t, String_t*, String_t*, int32_t >::Invoke(6 /* System.Int32 System.Globalization.CompareInfo::Compare(System.String,System.String,System.Globalization.CompareOptions) */, G_B3_3, G_B3_2, G_B3_1, G_B3_0); return L_5; } } // System.Int32 System.String::Compare(System.String,System.String,System.Boolean,System.Globalization.CultureInfo) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1121473966; extern const uint32_t String_Compare_m279494420_MetadataUsageId; extern "C" int32_t String_Compare_m279494420 (Il2CppObject * __this /* static, unused */, String_t* ___strA, String_t* ___strB, bool ___ignoreCase, CultureInfo_t3603717042 * ___culture, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Compare_m279494420_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* G_B4_0 = NULL; String_t* G_B4_1 = NULL; CompareInfo_t4023832425 * G_B4_2 = NULL; String_t* G_B3_0 = NULL; String_t* G_B3_1 = NULL; CompareInfo_t4023832425 * G_B3_2 = NULL; int32_t G_B5_0 = 0; String_t* G_B5_1 = NULL; String_t* G_B5_2 = NULL; CompareInfo_t4023832425 * G_B5_3 = NULL; { CultureInfo_t3603717042 * L_0 = ___culture; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral1121473966, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { CultureInfo_t3603717042 * L_2 = ___culture; NullCheck(L_2); CompareInfo_t4023832425 * L_3 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_2); String_t* L_4 = ___strA; String_t* L_5 = ___strB; bool L_6 = ___ignoreCase; G_B3_0 = L_5; G_B3_1 = L_4; G_B3_2 = L_3; if (!L_6) { G_B4_0 = L_5; G_B4_1 = L_4; G_B4_2 = L_3; goto IL_0025; } } { G_B5_0 = 1; G_B5_1 = G_B3_0; G_B5_2 = G_B3_1; G_B5_3 = G_B3_2; goto IL_0026; } IL_0025: { G_B5_0 = 0; G_B5_1 = G_B4_0; G_B5_2 = G_B4_1; G_B5_3 = G_B4_2; } IL_0026: { NullCheck(G_B5_3); int32_t L_7 = VirtFuncInvoker3< int32_t, String_t*, String_t*, int32_t >::Invoke(6 /* System.Int32 System.Globalization.CompareInfo::Compare(System.String,System.String,System.Globalization.CompareOptions) */, G_B5_3, G_B5_2, G_B5_1, G_B5_0); return L_7; } } // System.Int32 System.String::Compare(System.String,System.Int32,System.String,System.Int32,System.Int32,System.Boolean,System.Globalization.CultureInfo) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1121473966; extern const uint32_t String_Compare_m3930467693_MetadataUsageId; extern "C" int32_t String_Compare_m3930467693 (Il2CppObject * __this /* static, unused */, String_t* ___strA, int32_t ___indexA, String_t* ___strB, int32_t ___indexB, int32_t ___length, bool ___ignoreCase, CultureInfo_t3603717042 * ___culture, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Compare_m3930467693_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { CultureInfo_t3603717042 * L_0 = ___culture; if (L_0) { goto IL_0012; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral1121473966, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0012: { int32_t L_2 = ___indexA; String_t* L_3 = ___strA; NullCheck(L_3); int32_t L_4 = String_get_Length_m2979997331(L_3, /*hidden argument*/NULL); if ((((int32_t)L_2) > ((int32_t)L_4))) { goto IL_0040; } } { int32_t L_5 = ___indexB; String_t* L_6 = ___strB; NullCheck(L_6); int32_t L_7 = String_get_Length_m2979997331(L_6, /*hidden argument*/NULL); if ((((int32_t)L_5) > ((int32_t)L_7))) { goto IL_0040; } } { int32_t L_8 = ___indexA; if ((((int32_t)L_8) < ((int32_t)0))) { goto IL_0040; } } { int32_t L_9 = ___indexB; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_0040; } } { int32_t L_10 = ___length; if ((((int32_t)L_10) >= ((int32_t)0))) { goto IL_0046; } } IL_0040: { ArgumentOutOfRangeException_t3479058991 * L_11 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11); } IL_0046: { int32_t L_12 = ___length; if (L_12) { goto IL_004f; } } { return 0; } IL_004f: { String_t* L_13 = ___strA; if (L_13) { goto IL_005f; } } { String_t* L_14 = ___strB; if (L_14) { goto IL_005d; } } { return 0; } IL_005d: { return (-1); } IL_005f: { String_t* L_15 = ___strB; if (L_15) { goto IL_0067; } } { return 1; } IL_0067: { bool L_16 = ___ignoreCase; if (!L_16) { goto IL_0075; } } { V_0 = 1; goto IL_0077; } IL_0075: { V_0 = 0; } IL_0077: { int32_t L_17 = ___length; V_1 = L_17; int32_t L_18 = ___length; V_2 = L_18; int32_t L_19 = ___length; String_t* L_20 = ___strA; NullCheck(L_20); int32_t L_21 = String_get_Length_m2979997331(L_20, /*hidden argument*/NULL); int32_t L_22 = ___indexA; if ((((int32_t)L_19) <= ((int32_t)((int32_t)((int32_t)L_21-(int32_t)L_22))))) { goto IL_0095; } } { String_t* L_23 = ___strA; NullCheck(L_23); int32_t L_24 = String_get_Length_m2979997331(L_23, /*hidden argument*/NULL); int32_t L_25 = ___indexA; V_1 = ((int32_t)((int32_t)L_24-(int32_t)L_25)); } IL_0095: { int32_t L_26 = ___length; String_t* L_27 = ___strB; NullCheck(L_27); int32_t L_28 = String_get_Length_m2979997331(L_27, /*hidden argument*/NULL); int32_t L_29 = ___indexB; if ((((int32_t)L_26) <= ((int32_t)((int32_t)((int32_t)L_28-(int32_t)L_29))))) { goto IL_00ad; } } { String_t* L_30 = ___strB; NullCheck(L_30); int32_t L_31 = String_get_Length_m2979997331(L_30, /*hidden argument*/NULL); int32_t L_32 = ___indexB; V_2 = ((int32_t)((int32_t)L_31-(int32_t)L_32)); } IL_00ad: { CultureInfo_t3603717042 * L_33 = ___culture; NullCheck(L_33); CompareInfo_t4023832425 * L_34 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_33); String_t* L_35 = ___strA; int32_t L_36 = ___indexA; int32_t L_37 = V_1; String_t* L_38 = ___strB; int32_t L_39 = ___indexB; int32_t L_40 = V_2; int32_t L_41 = V_0; NullCheck(L_34); int32_t L_42 = VirtFuncInvoker7< int32_t, String_t*, int32_t, int32_t, String_t*, int32_t, int32_t, int32_t >::Invoke(7 /* System.Int32 System.Globalization.CompareInfo::Compare(System.String,System.Int32,System.Int32,System.String,System.Int32,System.Int32,System.Globalization.CompareOptions) */, L_34, L_35, L_36, L_37, L_38, L_39, L_40, L_41); return L_42; } } // System.Int32 System.String::CompareTo(System.Object) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern const uint32_t String_CompareTo_m2173220054_MetadataUsageId; extern "C" int32_t String_CompareTo_m2173220054 (String_t* __this, Il2CppObject * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CompareTo_m2173220054_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___value; if (L_0) { goto IL_0008; } } { return 1; } IL_0008: { Il2CppObject * L_1 = ___value; if (((String_t*)IsInstSealed(L_1, String_t_il2cpp_TypeInfo_var))) { goto IL_0019; } } { ArgumentException_t124305799 * L_2 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m571182463(L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_0019: { Il2CppObject * L_3 = ___value; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); int32_t L_4 = String_Compare_m1439712187(NULL /*static, unused*/, __this, ((String_t*)CastclassSealed(L_3, String_t_il2cpp_TypeInfo_var)), /*hidden argument*/NULL); return L_4; } } // System.Int32 System.String::CompareTo(System.String) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_CompareTo_m1951109700_MetadataUsageId; extern "C" int32_t String_CompareTo_m1951109700 (String_t* __this, String_t* ___strB, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CompareTo_m1951109700_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___strB; if (L_0) { goto IL_0008; } } { return 1; } IL_0008: { String_t* L_1 = ___strB; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); int32_t L_2 = String_Compare_m1439712187(NULL /*static, unused*/, __this, L_1, /*hidden argument*/NULL); return L_2; } } // System.Int32 System.String::CompareOrdinal(System.String,System.Int32,System.String,System.Int32,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_CompareOrdinal_m1327873633_MetadataUsageId; extern "C" int32_t String_CompareOrdinal_m1327873633 (Il2CppObject * __this /* static, unused */, String_t* ___strA, int32_t ___indexA, String_t* ___strB, int32_t ___indexB, int32_t ___length, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CompareOrdinal_m1327873633_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___indexA; String_t* L_1 = ___strA; NullCheck(L_1); int32_t L_2 = String_get_Length_m2979997331(L_1, /*hidden argument*/NULL); if ((((int32_t)L_0) > ((int32_t)L_2))) { goto IL_002e; } } { int32_t L_3 = ___indexB; String_t* L_4 = ___strB; NullCheck(L_4); int32_t L_5 = String_get_Length_m2979997331(L_4, /*hidden argument*/NULL); if ((((int32_t)L_3) > ((int32_t)L_5))) { goto IL_002e; } } { int32_t L_6 = ___indexA; if ((((int32_t)L_6) < ((int32_t)0))) { goto IL_002e; } } { int32_t L_7 = ___indexB; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_002e; } } { int32_t L_8 = ___length; if ((((int32_t)L_8) >= ((int32_t)0))) { goto IL_0034; } } IL_002e: { ArgumentOutOfRangeException_t3479058991 * L_9 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_9, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_0034: { String_t* L_10 = ___strA; int32_t L_11 = ___indexA; int32_t L_12 = ___length; String_t* L_13 = ___strB; int32_t L_14 = ___indexB; int32_t L_15 = ___length; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); int32_t L_16 = String_CompareOrdinalUnchecked_m1968789502(NULL /*static, unused*/, L_10, L_11, L_12, L_13, L_14, L_15, /*hidden argument*/NULL); return L_16; } } // System.Int32 System.String::CompareOrdinalUnchecked(System.String,System.Int32,System.Int32,System.String,System.Int32,System.Int32) extern "C" int32_t String_CompareOrdinalUnchecked_m1968789502 (Il2CppObject * __this /* static, unused */, String_t* ___strA, int32_t ___indexA, int32_t ___lenA, String_t* ___strB, int32_t ___indexB, int32_t ___lenB, const MethodInfo* method) { int32_t V_0 = 0; int32_t V_1 = 0; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; uint16_t* V_5 = NULL; uint16_t* V_6 = NULL; String_t* V_7 = NULL; String_t* V_8 = NULL; { String_t* L_0 = ___strA; if (L_0) { goto IL_0010; } } { String_t* L_1 = ___strB; if (L_1) { goto IL_000e; } } { return 0; } IL_000e: { return (-1); } IL_0010: { String_t* L_2 = ___strB; if (L_2) { goto IL_0018; } } { return 1; } IL_0018: { int32_t L_3 = ___lenA; String_t* L_4 = ___strA; NullCheck(L_4); int32_t L_5 = String_get_Length_m2979997331(L_4, /*hidden argument*/NULL); int32_t L_6 = ___indexA; int32_t L_7 = Math_Min_m811624909(NULL /*static, unused*/, L_3, ((int32_t)((int32_t)L_5-(int32_t)L_6)), /*hidden argument*/NULL); V_0 = L_7; int32_t L_8 = ___lenB; String_t* L_9 = ___strB; NullCheck(L_9); int32_t L_10 = String_get_Length_m2979997331(L_9, /*hidden argument*/NULL); int32_t L_11 = ___indexB; int32_t L_12 = Math_Min_m811624909(NULL /*static, unused*/, L_8, ((int32_t)((int32_t)L_10-(int32_t)L_11)), /*hidden argument*/NULL); V_1 = L_12; int32_t L_13 = V_0; int32_t L_14 = V_1; if ((!(((uint32_t)L_13) == ((uint32_t)L_14)))) { goto IL_004d; } } { String_t* L_15 = ___strA; String_t* L_16 = ___strB; bool L_17 = Object_ReferenceEquals_m3695130242(NULL /*static, unused*/, L_15, L_16, /*hidden argument*/NULL); if (!L_17) { goto IL_004d; } } { return 0; } IL_004d: { String_t* L_18 = ___strA; V_7 = L_18; String_t* L_19 = V_7; int32_t L_20 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_19))+(int32_t)L_20)); String_t* L_21 = ___strB; V_8 = L_21; String_t* L_22 = V_8; int32_t L_23 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_3 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_22))+(int32_t)L_23)); uint16_t* L_24 = V_2; int32_t L_25 = ___indexA; V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_24+(int32_t)((int32_t)((int32_t)L_25*(int32_t)2)))); uint16_t* L_26 = V_4; int32_t L_27 = V_0; int32_t L_28 = V_1; int32_t L_29 = Math_Min_m811624909(NULL /*static, unused*/, L_27, L_28, /*hidden argument*/NULL); V_5 = (uint16_t*)((uint16_t*)((intptr_t)L_26+(int32_t)((int32_t)((int32_t)L_29*(int32_t)2)))); uint16_t* L_30 = V_3; int32_t L_31 = ___indexB; V_6 = (uint16_t*)((uint16_t*)((intptr_t)L_30+(int32_t)((int32_t)((int32_t)L_31*(int32_t)2)))); goto IL_00aa; } IL_0089: { uint16_t* L_32 = V_4; uint16_t* L_33 = V_6; if ((((int32_t)(*((uint16_t*)L_32))) == ((int32_t)(*((uint16_t*)L_33))))) { goto IL_009c; } } { uint16_t* L_34 = V_4; uint16_t* L_35 = V_6; return ((int32_t)((int32_t)(*((uint16_t*)L_34))-(int32_t)(*((uint16_t*)L_35)))); } IL_009c: { uint16_t* L_36 = V_4; V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_36+(intptr_t)(((intptr_t)2)))); uint16_t* L_37 = V_6; V_6 = (uint16_t*)((uint16_t*)((intptr_t)L_37+(intptr_t)(((intptr_t)2)))); } IL_00aa: { uint16_t* L_38 = V_4; uint16_t* L_39 = V_5; if ((!(((uintptr_t)L_38) >= ((uintptr_t)L_39)))) { goto IL_0089; } } { int32_t L_40 = V_0; int32_t L_41 = V_1; return ((int32_t)((int32_t)L_40-(int32_t)L_41)); } } // System.Int32 System.String::CompareOrdinalCaseInsensitiveUnchecked(System.String,System.Int32,System.Int32,System.String,System.Int32,System.Int32) extern TypeInfo* Char_t2778706699_il2cpp_TypeInfo_var; extern const uint32_t String_CompareOrdinalCaseInsensitiveUnchecked_m4221700897_MetadataUsageId; extern "C" int32_t String_CompareOrdinalCaseInsensitiveUnchecked_m4221700897 (Il2CppObject * __this /* static, unused */, String_t* ___strA, int32_t ___indexA, int32_t ___lenA, String_t* ___strB, int32_t ___indexB, int32_t ___lenB, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CompareOrdinalCaseInsensitiveUnchecked_m4221700897_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; uint16_t* V_5 = NULL; uint16_t* V_6 = NULL; uint16_t V_7 = 0x0; uint16_t V_8 = 0x0; String_t* V_9 = NULL; String_t* V_10 = NULL; { String_t* L_0 = ___strA; if (L_0) { goto IL_0010; } } { String_t* L_1 = ___strB; if (L_1) { goto IL_000e; } } { return 0; } IL_000e: { return (-1); } IL_0010: { String_t* L_2 = ___strB; if (L_2) { goto IL_0018; } } { return 1; } IL_0018: { int32_t L_3 = ___lenA; String_t* L_4 = ___strA; NullCheck(L_4); int32_t L_5 = String_get_Length_m2979997331(L_4, /*hidden argument*/NULL); int32_t L_6 = ___indexA; int32_t L_7 = Math_Min_m811624909(NULL /*static, unused*/, L_3, ((int32_t)((int32_t)L_5-(int32_t)L_6)), /*hidden argument*/NULL); V_0 = L_7; int32_t L_8 = ___lenB; String_t* L_9 = ___strB; NullCheck(L_9); int32_t L_10 = String_get_Length_m2979997331(L_9, /*hidden argument*/NULL); int32_t L_11 = ___indexB; int32_t L_12 = Math_Min_m811624909(NULL /*static, unused*/, L_8, ((int32_t)((int32_t)L_10-(int32_t)L_11)), /*hidden argument*/NULL); V_1 = L_12; int32_t L_13 = V_0; int32_t L_14 = V_1; if ((!(((uint32_t)L_13) == ((uint32_t)L_14)))) { goto IL_004d; } } { String_t* L_15 = ___strA; String_t* L_16 = ___strB; bool L_17 = Object_ReferenceEquals_m3695130242(NULL /*static, unused*/, L_15, L_16, /*hidden argument*/NULL); if (!L_17) { goto IL_004d; } } { return 0; } IL_004d: { String_t* L_18 = ___strA; V_9 = L_18; String_t* L_19 = V_9; int32_t L_20 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_19))+(int32_t)L_20)); String_t* L_21 = ___strB; V_10 = L_21; String_t* L_22 = V_10; int32_t L_23 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_3 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_22))+(int32_t)L_23)); uint16_t* L_24 = V_2; int32_t L_25 = ___indexA; V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_24+(int32_t)((int32_t)((int32_t)L_25*(int32_t)2)))); uint16_t* L_26 = V_4; int32_t L_27 = V_0; int32_t L_28 = V_1; int32_t L_29 = Math_Min_m811624909(NULL /*static, unused*/, L_27, L_28, /*hidden argument*/NULL); V_5 = (uint16_t*)((uint16_t*)((intptr_t)L_26+(int32_t)((int32_t)((int32_t)L_29*(int32_t)2)))); uint16_t* L_30 = V_3; int32_t L_31 = ___indexB; V_6 = (uint16_t*)((uint16_t*)((intptr_t)L_30+(int32_t)((int32_t)((int32_t)L_31*(int32_t)2)))); goto IL_00c5; } IL_0089: { uint16_t* L_32 = V_4; uint16_t* L_33 = V_6; if ((((int32_t)(*((uint16_t*)L_32))) == ((int32_t)(*((uint16_t*)L_33))))) { goto IL_00b7; } } { uint16_t* L_34 = V_4; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); uint16_t L_35 = Char_ToUpperInvariant_m4158859197(NULL /*static, unused*/, (*((uint16_t*)L_34)), /*hidden argument*/NULL); V_7 = L_35; uint16_t* L_36 = V_6; uint16_t L_37 = Char_ToUpperInvariant_m4158859197(NULL /*static, unused*/, (*((uint16_t*)L_36)), /*hidden argument*/NULL); V_8 = L_37; uint16_t L_38 = V_7; uint16_t L_39 = V_8; if ((((int32_t)L_38) == ((int32_t)L_39))) { goto IL_00b7; } } { uint16_t L_40 = V_7; uint16_t L_41 = V_8; return ((int32_t)((int32_t)L_40-(int32_t)L_41)); } IL_00b7: { uint16_t* L_42 = V_4; V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_42+(intptr_t)(((intptr_t)2)))); uint16_t* L_43 = V_6; V_6 = (uint16_t*)((uint16_t*)((intptr_t)L_43+(intptr_t)(((intptr_t)2)))); } IL_00c5: { uint16_t* L_44 = V_4; uint16_t* L_45 = V_5; if ((!(((uintptr_t)L_44) >= ((uintptr_t)L_45)))) { goto IL_0089; } } { int32_t L_46 = V_0; int32_t L_47 = V_1; return ((int32_t)((int32_t)L_46-(int32_t)L_47)); } } // System.Boolean System.String::EndsWith(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* CultureInfo_t3603717042_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern const uint32_t String_EndsWith_m2265568550_MetadataUsageId; extern "C" bool String_EndsWith_m2265568550 (String_t* __this, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_EndsWith_m2265568550_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_2 = CultureInfo_get_CurrentCulture_m2905498779(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_2); CompareInfo_t4023832425 * L_3 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_2); String_t* L_4 = ___value; NullCheck(L_3); bool L_5 = VirtFuncInvoker3< bool, String_t*, String_t*, int32_t >::Invoke(12 /* System.Boolean System.Globalization.CompareInfo::IsSuffix(System.String,System.String,System.Globalization.CompareOptions) */, L_3, __this, L_4, 0); return L_5; } } // System.Int32 System.String::IndexOfAny(System.Char[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern const uint32_t String_IndexOfAny_m3660242324_MetadataUsageId; extern "C" int32_t String_IndexOfAny_m3660242324 (String_t* __this, CharU5BU5D_t3416858730* ___anyOf, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_IndexOfAny_m3660242324_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___anyOf; if (L_0) { goto IL_000c; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m2162372070(L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_000c: { int32_t L_2 = __this->get_length_0(); if (L_2) { goto IL_0019; } } { return (-1); } IL_0019: { CharU5BU5D_t3416858730* L_3 = ___anyOf; int32_t L_4 = __this->get_length_0(); int32_t L_5 = String_IndexOfAnyUnchecked_m706673842(__this, L_3, 0, L_4, /*hidden argument*/NULL); return L_5; } } // System.Int32 System.String::IndexOfAny(System.Char[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern const uint32_t String_IndexOfAny_m1954541507_MetadataUsageId; extern "C" int32_t String_IndexOfAny_m1954541507 (String_t* __this, CharU5BU5D_t3416858730* ___anyOf, int32_t ___startIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_IndexOfAny_m1954541507_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___anyOf; if (L_0) { goto IL_000c; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m2162372070(L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_000c: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_001f; } } { int32_t L_3 = ___startIndex; int32_t L_4 = __this->get_length_0(); if ((((int32_t)L_3) <= ((int32_t)L_4))) { goto IL_0025; } } IL_001f: { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0025: { CharU5BU5D_t3416858730* L_6 = ___anyOf; int32_t L_7 = ___startIndex; int32_t L_8 = __this->get_length_0(); int32_t L_9 = ___startIndex; int32_t L_10 = String_IndexOfAnyUnchecked_m706673842(__this, L_6, L_7, ((int32_t)((int32_t)L_8-(int32_t)L_9)), /*hidden argument*/NULL); return L_10; } } // System.Int32 System.String::IndexOfAny(System.Char[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94851343; extern Il2CppCodeGenString* _stringLiteral2836438446; extern const uint32_t String_IndexOfAny_m472916468_MetadataUsageId; extern "C" int32_t String_IndexOfAny_m472916468 (String_t* __this, CharU5BU5D_t3416858730* ___anyOf, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_IndexOfAny_m472916468_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___anyOf; if (L_0) { goto IL_000c; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m2162372070(L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_000c: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_001f; } } { int32_t L_3 = ___startIndex; int32_t L_4 = __this->get_length_0(); if ((((int32_t)L_3) <= ((int32_t)L_4))) { goto IL_0025; } } IL_001f: { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0025: { int32_t L_6 = ___count; if ((((int32_t)L_6) < ((int32_t)0))) { goto IL_003a; } } { int32_t L_7 = ___startIndex; int32_t L_8 = __this->get_length_0(); int32_t L_9 = ___count; if ((((int32_t)L_7) <= ((int32_t)((int32_t)((int32_t)L_8-(int32_t)L_9))))) { goto IL_004a; } } IL_003a: { ArgumentOutOfRangeException_t3479058991 * L_10 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_10, _stringLiteral94851343, _stringLiteral2836438446, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_10); } IL_004a: { CharU5BU5D_t3416858730* L_11 = ___anyOf; int32_t L_12 = ___startIndex; int32_t L_13 = ___count; int32_t L_14 = String_IndexOfAnyUnchecked_m706673842(__this, L_11, L_12, L_13, /*hidden argument*/NULL); return L_14; } } // System.Int32 System.String::IndexOfAnyUnchecked(System.Char[],System.Int32,System.Int32) extern "C" int32_t String_IndexOfAnyUnchecked_m706673842 (String_t* __this, CharU5BU5D_t3416858730* ___anyOf, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { uint16_t* V_0 = NULL; int32_t V_1 = 0; int32_t V_2 = 0; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; uint16_t* V_5 = NULL; uint16_t* V_6 = NULL; uint16_t* V_7 = NULL; uintptr_t G_B8_0 = 0; { CharU5BU5D_t3416858730* L_0 = ___anyOf; NullCheck(L_0); if ((((int32_t)((int32_t)(((Il2CppArray *)L_0)->max_length))))) { goto IL_000a; } } { return (-1); } IL_000a: { CharU5BU5D_t3416858730* L_1 = ___anyOf; NullCheck(L_1); if ((!(((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_1)->max_length))))) == ((uint32_t)1)))) { goto IL_001f; } } { CharU5BU5D_t3416858730* L_2 = ___anyOf; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 0); int32_t L_3 = 0; int32_t L_4 = ___startIndex; int32_t L_5 = ___count; int32_t L_6 = String_IndexOfUnchecked_m1897528852(__this, ((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_3))), L_4, L_5, /*hidden argument*/NULL); return L_6; } IL_001f: { CharU5BU5D_t3416858730* L_7 = ___anyOf; if (!L_7) { goto IL_002d; } } { CharU5BU5D_t3416858730* L_8 = ___anyOf; NullCheck(L_8); if ((((int32_t)((int32_t)(((Il2CppArray *)L_8)->max_length))))) { goto IL_0034; } } IL_002d: { G_B8_0 = (((uintptr_t)0)); goto IL_003b; } IL_0034: { CharU5BU5D_t3416858730* L_9 = ___anyOf; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, 0); G_B8_0 = ((uintptr_t)(((L_9)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_003b: { V_0 = (uint16_t*)G_B8_0; uint16_t* L_10 = V_0; V_1 = (*((uint16_t*)L_10)); uint16_t* L_11 = V_0; V_2 = (*((uint16_t*)L_11)); uint16_t* L_12 = V_0; CharU5BU5D_t3416858730* L_13 = ___anyOf; NullCheck(L_13); V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_12+(int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_13)->max_length))))*(int32_t)2)))); uint16_t* L_14 = V_0; V_4 = (uint16_t*)L_14; goto IL_0071; } IL_0052: { uint16_t* L_15 = V_4; int32_t L_16 = V_1; if ((((int32_t)(*((uint16_t*)L_15))) <= ((int32_t)L_16))) { goto IL_0064; } } { uint16_t* L_17 = V_4; V_1 = (*((uint16_t*)L_17)); goto IL_0071; } IL_0064: { uint16_t* L_18 = V_4; int32_t L_19 = V_2; if ((((int32_t)(*((uint16_t*)L_18))) >= ((int32_t)L_19))) { goto IL_0071; } } { uint16_t* L_20 = V_4; V_2 = (*((uint16_t*)L_20)); } IL_0071: { uint16_t* L_21 = V_4; uint16_t* L_22 = (uint16_t*)((uint16_t*)((intptr_t)L_21+(intptr_t)(((intptr_t)2)))); V_4 = (uint16_t*)L_22; uint16_t* L_23 = V_3; if ((!(((uintptr_t)L_22) == ((uintptr_t)L_23)))) { goto IL_0052; } } { uint16_t* L_24 = __this->get_address_of_start_char_1(); V_5 = (uint16_t*)L_24; uint16_t* L_25 = V_5; int32_t L_26 = ___startIndex; V_6 = (uint16_t*)((uint16_t*)((intptr_t)L_25+(int32_t)((int32_t)((int32_t)L_26*(int32_t)2)))); uint16_t* L_27 = V_6; int32_t L_28 = ___count; V_7 = (uint16_t*)((uint16_t*)((intptr_t)L_27+(int32_t)((int32_t)((int32_t)L_28*(int32_t)2)))); goto IL_0100; } IL_009c: { uint16_t* L_29 = V_6; int32_t L_30 = V_1; if ((((int32_t)(*((uint16_t*)L_29))) > ((int32_t)L_30))) { goto IL_00ae; } } { uint16_t* L_31 = V_6; int32_t L_32 = V_2; if ((((int32_t)(*((uint16_t*)L_31))) >= ((int32_t)L_32))) { goto IL_00ba; } } IL_00ae: { uint16_t* L_33 = V_6; V_6 = (uint16_t*)((uint16_t*)((intptr_t)L_33+(intptr_t)(((intptr_t)2)))); goto IL_0100; } IL_00ba: { uint16_t* L_34 = V_6; uint16_t* L_35 = V_0; if ((!(((uint32_t)(*((uint16_t*)L_34))) == ((uint32_t)(*((uint16_t*)L_35)))))) { goto IL_00ce; } } { uint16_t* L_36 = V_6; uint16_t* L_37 = V_5; return (((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_36-(intptr_t)L_37))/(int32_t)2)))))))); } IL_00ce: { uint16_t* L_38 = V_0; V_4 = (uint16_t*)L_38; goto IL_00eb; } IL_00d6: { uint16_t* L_39 = V_6; uint16_t* L_40 = V_4; if ((!(((uint32_t)(*((uint16_t*)L_39))) == ((uint32_t)(*((uint16_t*)L_40)))))) { goto IL_00eb; } } { uint16_t* L_41 = V_6; uint16_t* L_42 = V_5; return (((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_41-(intptr_t)L_42))/(int32_t)2)))))))); } IL_00eb: { uint16_t* L_43 = V_4; uint16_t* L_44 = (uint16_t*)((uint16_t*)((intptr_t)L_43+(intptr_t)(((intptr_t)2)))); V_4 = (uint16_t*)L_44; uint16_t* L_45 = V_3; if ((!(((uintptr_t)L_44) == ((uintptr_t)L_45)))) { goto IL_00d6; } } { uint16_t* L_46 = V_6; V_6 = (uint16_t*)((uint16_t*)((intptr_t)L_46+(intptr_t)(((intptr_t)2)))); } IL_0100: { uint16_t* L_47 = V_6; uint16_t* L_48 = V_7; if ((!(((uintptr_t)L_47) == ((uintptr_t)L_48)))) { goto IL_009c; } } { V_5 = (uint16_t*)(((uintptr_t)0)); V_0 = (uint16_t*)(((uintptr_t)0)); return (-1); } } // System.Int32 System.String::IndexOf(System.String,System.StringComparison) extern "C" int32_t String_IndexOf_m864002126 (String_t* __this, String_t* ___value, int32_t ___comparisonType, const MethodInfo* method) { { String_t* L_0 = ___value; int32_t L_1 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); int32_t L_2 = ___comparisonType; int32_t L_3 = String_IndexOf_m1456548334(__this, L_0, 0, L_1, L_2, /*hidden argument*/NULL); return L_3; } } // System.Int32 System.String::IndexOf(System.String,System.Int32,System.Int32,System.StringComparison) extern TypeInfo* CultureInfo_t3603717042_il2cpp_TypeInfo_var; extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern TypeInfo* StringComparison_t1653470895_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2363942115; extern Il2CppCodeGenString* _stringLiteral3875259107; extern const uint32_t String_IndexOf_m1456548334_MetadataUsageId; extern "C" int32_t String_IndexOf_m1456548334 (String_t* __this, String_t* ___value, int32_t ___startIndex, int32_t ___count, int32_t ___comparisonType, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_IndexOf_m1456548334_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; int32_t V_1 = 0; { int32_t L_0 = ___comparisonType; V_1 = L_0; int32_t L_1 = V_1; if (L_1 == 0) { goto IL_0026; } if (L_1 == 1) { goto IL_003b; } if (L_1 == 2) { goto IL_0050; } if (L_1 == 3) { goto IL_0065; } if (L_1 == 4) { goto IL_007a; } if (L_1 == 5) { goto IL_0089; } } { goto IL_0098; } IL_0026: { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_2 = CultureInfo_get_CurrentCulture_m2905498779(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_2); CompareInfo_t4023832425 * L_3 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_2); String_t* L_4 = ___value; int32_t L_5 = ___startIndex; int32_t L_6 = ___count; NullCheck(L_3); int32_t L_7 = VirtFuncInvoker5< int32_t, String_t*, String_t*, int32_t, int32_t, int32_t >::Invoke(10 /* System.Int32 System.Globalization.CompareInfo::IndexOf(System.String,System.String,System.Int32,System.Int32,System.Globalization.CompareOptions) */, L_3, __this, L_4, L_5, L_6, 0); return L_7; } IL_003b: { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_8 = CultureInfo_get_CurrentCulture_m2905498779(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_8); CompareInfo_t4023832425 * L_9 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_8); String_t* L_10 = ___value; int32_t L_11 = ___startIndex; int32_t L_12 = ___count; NullCheck(L_9); int32_t L_13 = VirtFuncInvoker5< int32_t, String_t*, String_t*, int32_t, int32_t, int32_t >::Invoke(10 /* System.Int32 System.Globalization.CompareInfo::IndexOf(System.String,System.String,System.Int32,System.Int32,System.Globalization.CompareOptions) */, L_9, __this, L_10, L_11, L_12, 1); return L_13; } IL_0050: { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_14 = CultureInfo_get_InvariantCulture_m764001524(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_14); CompareInfo_t4023832425 * L_15 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_14); String_t* L_16 = ___value; int32_t L_17 = ___startIndex; int32_t L_18 = ___count; NullCheck(L_15); int32_t L_19 = VirtFuncInvoker5< int32_t, String_t*, String_t*, int32_t, int32_t, int32_t >::Invoke(10 /* System.Int32 System.Globalization.CompareInfo::IndexOf(System.String,System.String,System.Int32,System.Int32,System.Globalization.CompareOptions) */, L_15, __this, L_16, L_17, L_18, 0); return L_19; } IL_0065: { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_20 = CultureInfo_get_InvariantCulture_m764001524(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_20); CompareInfo_t4023832425 * L_21 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_20); String_t* L_22 = ___value; int32_t L_23 = ___startIndex; int32_t L_24 = ___count; NullCheck(L_21); int32_t L_25 = VirtFuncInvoker5< int32_t, String_t*, String_t*, int32_t, int32_t, int32_t >::Invoke(10 /* System.Int32 System.Globalization.CompareInfo::IndexOf(System.String,System.String,System.Int32,System.Int32,System.Globalization.CompareOptions) */, L_21, __this, L_22, L_23, L_24, 1); return L_25; } IL_007a: { String_t* L_26 = ___value; int32_t L_27 = ___startIndex; int32_t L_28 = ___count; int32_t L_29 = String_IndexOfOrdinal_m2362241597(__this, L_26, L_27, L_28, ((int32_t)1073741824), /*hidden argument*/NULL); return L_29; } IL_0089: { String_t* L_30 = ___value; int32_t L_31 = ___startIndex; int32_t L_32 = ___count; int32_t L_33 = String_IndexOfOrdinal_m2362241597(__this, L_30, L_31, L_32, ((int32_t)268435456), /*hidden argument*/NULL); return L_33; } IL_0098: { ObjectU5BU5D_t11523773* L_34 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)1)); int32_t L_35 = ___comparisonType; int32_t L_36 = L_35; Il2CppObject * L_37 = Box(StringComparison_t1653470895_il2cpp_TypeInfo_var, &L_36); NullCheck(L_34); IL2CPP_ARRAY_BOUNDS_CHECK(L_34, 0); ArrayElementTypeCheck (L_34, L_37); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_37); String_t* L_38 = Locale_GetText_m2218462520(NULL /*static, unused*/, _stringLiteral2363942115, L_34, /*hidden argument*/NULL); V_0 = L_38; String_t* L_39 = V_0; ArgumentException_t124305799 * L_40 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_40, L_39, _stringLiteral3875259107, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_40); } } // System.Int32 System.String::IndexOfOrdinal(System.String,System.Int32,System.Int32,System.Globalization.CompareOptions) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t String_IndexOfOrdinal_m2362241597_MetadataUsageId; extern "C" int32_t String_IndexOfOrdinal_m2362241597 (String_t* __this, String_t* ___value, int32_t ___startIndex, int32_t ___count, int32_t ___options, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_IndexOfOrdinal_m2362241597_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0023; } } { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_3, _stringLiteral2701320592, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___count; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0038; } } { int32_t L_5 = __this->get_length_0(); int32_t L_6 = ___startIndex; int32_t L_7 = ___count; if ((((int32_t)((int32_t)((int32_t)L_5-(int32_t)L_6))) >= ((int32_t)L_7))) { goto IL_0043; } } IL_0038: { ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_8, _stringLiteral94851343, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0043: { int32_t L_9 = ___options; if ((!(((uint32_t)L_9) == ((uint32_t)((int32_t)1073741824))))) { goto IL_0059; } } { String_t* L_10 = ___value; int32_t L_11 = ___startIndex; int32_t L_12 = ___count; int32_t L_13 = String_IndexOfOrdinalUnchecked_m3747812990(__this, L_10, L_11, L_12, /*hidden argument*/NULL); return L_13; } IL_0059: { String_t* L_14 = ___value; int32_t L_15 = ___startIndex; int32_t L_16 = ___count; int32_t L_17 = String_IndexOfOrdinalIgnoreCaseUnchecked_m1319653504(__this, L_14, L_15, L_16, /*hidden argument*/NULL); return L_17; } } // System.Int32 System.String::IndexOfOrdinalUnchecked(System.String,System.Int32,System.Int32) extern "C" int32_t String_IndexOfOrdinalUnchecked_m3747812990 (String_t* __this, String_t* ___value, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { int32_t V_0 = 0; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; int32_t V_5 = 0; String_t* V_6 = NULL; String_t* V_7 = NULL; { String_t* L_0 = ___value; NullCheck(L_0); int32_t L_1 = String_get_Length_m2979997331(L_0, /*hidden argument*/NULL); V_0 = L_1; int32_t L_2 = ___count; int32_t L_3 = V_0; if ((((int32_t)L_2) >= ((int32_t)L_3))) { goto IL_0010; } } { return (-1); } IL_0010: { int32_t L_4 = V_0; if ((((int32_t)L_4) > ((int32_t)1))) { goto IL_0030; } } { int32_t L_5 = V_0; if ((!(((uint32_t)L_5) == ((uint32_t)1)))) { goto IL_002e; } } { String_t* L_6 = ___value; NullCheck(L_6); uint16_t L_7 = String_get_Chars_m3015341861(L_6, 0, /*hidden argument*/NULL); int32_t L_8 = ___startIndex; int32_t L_9 = ___count; int32_t L_10 = String_IndexOfUnchecked_m1897528852(__this, L_7, L_8, L_9, /*hidden argument*/NULL); return L_10; } IL_002e: { int32_t L_11 = ___startIndex; return L_11; } IL_0030: { V_6 = __this; String_t* L_12 = V_6; int32_t L_13 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_12))+(int32_t)L_13)); String_t* L_14 = ___value; V_7 = L_14; String_t* L_15 = V_7; int32_t L_16 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_15))+(int32_t)L_16)); uint16_t* L_17 = V_1; int32_t L_18 = ___startIndex; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_17+(int32_t)((int32_t)((int32_t)L_18*(int32_t)2)))); uint16_t* L_19 = V_3; int32_t L_20 = ___count; int32_t L_21 = V_0; V_4 = (uint16_t*)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_19+(int32_t)((int32_t)((int32_t)L_20*(int32_t)2))))-(int32_t)((int32_t)((int32_t)L_21*(int32_t)2))))+(int32_t)2)); goto IL_00a6; } IL_0062: { uint16_t* L_22 = V_3; uint16_t* L_23 = V_2; if ((!(((uint32_t)(*((uint16_t*)L_22))) == ((uint32_t)(*((uint16_t*)L_23)))))) { goto IL_00a1; } } { V_5 = 1; goto IL_0091; } IL_0073: { uint16_t* L_24 = V_3; int32_t L_25 = V_5; uint16_t* L_26 = V_2; int32_t L_27 = V_5; if ((((int32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_24+(int32_t)((int32_t)((int32_t)L_25*(int32_t)2))))))) == ((int32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_26+(int32_t)((int32_t)((int32_t)L_27*(int32_t)2))))))))) { goto IL_008b; } } { goto IL_00a1; } IL_008b: { int32_t L_28 = V_5; V_5 = ((int32_t)((int32_t)L_28+(int32_t)1)); } IL_0091: { int32_t L_29 = V_5; int32_t L_30 = V_0; if ((((int32_t)L_29) < ((int32_t)L_30))) { goto IL_0073; } } { uint16_t* L_31 = V_3; uint16_t* L_32 = V_1; return (((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_31-(intptr_t)L_32))/(int32_t)2)))))))); } IL_00a1: { uint16_t* L_33 = V_3; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_33+(intptr_t)(((intptr_t)2)))); } IL_00a6: { uint16_t* L_34 = V_3; uint16_t* L_35 = V_4; if ((!(((uintptr_t)L_34) == ((uintptr_t)L_35)))) { goto IL_0062; } } { V_6 = (String_t*)NULL; V_7 = (String_t*)NULL; return (-1); } } // System.Int32 System.String::IndexOfOrdinalIgnoreCaseUnchecked(System.String,System.Int32,System.Int32) extern TypeInfo* Char_t2778706699_il2cpp_TypeInfo_var; extern const uint32_t String_IndexOfOrdinalIgnoreCaseUnchecked_m1319653504_MetadataUsageId; extern "C" int32_t String_IndexOfOrdinalIgnoreCaseUnchecked_m1319653504 (String_t* __this, String_t* ___value, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_IndexOfOrdinalIgnoreCaseUnchecked_m1319653504_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; int32_t V_5 = 0; String_t* V_6 = NULL; String_t* V_7 = NULL; { String_t* L_0 = ___value; NullCheck(L_0); int32_t L_1 = String_get_Length_m2979997331(L_0, /*hidden argument*/NULL); V_0 = L_1; int32_t L_2 = ___count; int32_t L_3 = V_0; if ((((int32_t)L_2) >= ((int32_t)L_3))) { goto IL_0010; } } { return (-1); } IL_0010: { int32_t L_4 = V_0; if (L_4) { goto IL_0018; } } { int32_t L_5 = ___startIndex; return L_5; } IL_0018: { V_6 = __this; String_t* L_6 = V_6; int32_t L_7 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_6))+(int32_t)L_7)); String_t* L_8 = ___value; V_7 = L_8; String_t* L_9 = V_7; int32_t L_10 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_9))+(int32_t)L_10)); uint16_t* L_11 = V_1; int32_t L_12 = ___startIndex; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_11+(int32_t)((int32_t)((int32_t)L_12*(int32_t)2)))); uint16_t* L_13 = V_3; int32_t L_14 = ___count; int32_t L_15 = V_0; V_4 = (uint16_t*)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_13+(int32_t)((int32_t)((int32_t)L_14*(int32_t)2))))-(int32_t)((int32_t)((int32_t)L_15*(int32_t)2))))+(int32_t)2)); goto IL_008f; } IL_004a: { V_5 = 0; goto IL_007a; } IL_0052: { uint16_t* L_16 = V_3; int32_t L_17 = V_5; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); uint16_t L_18 = Char_ToUpperInvariant_m4158859197(NULL /*static, unused*/, (*((uint16_t*)((uint16_t*)((intptr_t)L_16+(int32_t)((int32_t)((int32_t)L_17*(int32_t)2)))))), /*hidden argument*/NULL); uint16_t* L_19 = V_2; int32_t L_20 = V_5; uint16_t L_21 = Char_ToUpperInvariant_m4158859197(NULL /*static, unused*/, (*((uint16_t*)((uint16_t*)((intptr_t)L_19+(int32_t)((int32_t)((int32_t)L_20*(int32_t)2)))))), /*hidden argument*/NULL); if ((((int32_t)L_18) == ((int32_t)L_21))) { goto IL_0074; } } { goto IL_008a; } IL_0074: { int32_t L_22 = V_5; V_5 = ((int32_t)((int32_t)L_22+(int32_t)1)); } IL_007a: { int32_t L_23 = V_5; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_0052; } } { uint16_t* L_25 = V_3; uint16_t* L_26 = V_1; return (((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_25-(intptr_t)L_26))/(int32_t)2)))))))); } IL_008a: { uint16_t* L_27 = V_3; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_27+(intptr_t)(((intptr_t)2)))); } IL_008f: { uint16_t* L_28 = V_3; uint16_t* L_29 = V_4; if ((!(((uintptr_t)L_28) == ((uintptr_t)L_29)))) { goto IL_004a; } } { V_6 = (String_t*)NULL; V_7 = (String_t*)NULL; return (-1); } } // System.Int32 System.String::IndexOf(System.Char) extern "C" int32_t String_IndexOf_m2775210486 (String_t* __this, uint16_t ___value, const MethodInfo* method) { { int32_t L_0 = __this->get_length_0(); if (L_0) { goto IL_000d; } } { return (-1); } IL_000d: { uint16_t L_1 = ___value; int32_t L_2 = __this->get_length_0(); int32_t L_3 = String_IndexOfUnchecked_m1897528852(__this, L_1, 0, L_2, /*hidden argument*/NULL); return L_3; } } // System.Int32 System.String::IndexOf(System.Char,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral58700; extern Il2CppCodeGenString* _stringLiteral2115427524; extern const uint32_t String_IndexOf_m204546721_MetadataUsageId; extern "C" int32_t String_IndexOf_m204546721 (String_t* __this, uint16_t ___value, int32_t ___startIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_IndexOf_m204546721_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___startIndex; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0017; } } { ArgumentOutOfRangeException_t3479058991 * L_1 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_1, _stringLiteral2701320592, _stringLiteral58700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0017: { int32_t L_2 = ___startIndex; int32_t L_3 = __this->get_length_0(); if ((((int32_t)L_2) <= ((int32_t)L_3))) { goto IL_0033; } } { ArgumentOutOfRangeException_t3479058991 * L_4 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_4, _stringLiteral2701320592, _stringLiteral2115427524, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_0033: { int32_t L_5 = ___startIndex; if (L_5) { goto IL_0044; } } { int32_t L_6 = __this->get_length_0(); if (!L_6) { goto IL_0050; } } IL_0044: { int32_t L_7 = ___startIndex; int32_t L_8 = __this->get_length_0(); if ((!(((uint32_t)L_7) == ((uint32_t)L_8)))) { goto IL_0052; } } IL_0050: { return (-1); } IL_0052: { uint16_t L_9 = ___value; int32_t L_10 = ___startIndex; int32_t L_11 = __this->get_length_0(); int32_t L_12 = ___startIndex; int32_t L_13 = String_IndexOfUnchecked_m1897528852(__this, L_9, L_10, ((int32_t)((int32_t)L_11-(int32_t)L_12)), /*hidden argument*/NULL); return L_13; } } // System.Int32 System.String::IndexOf(System.Char,System.Int32,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral3064683206; extern Il2CppCodeGenString* _stringLiteral94851343; extern Il2CppCodeGenString* _stringLiteral58700; extern Il2CppCodeGenString* _stringLiteral4100223998; extern const uint32_t String_IndexOf_m2077558742_MetadataUsageId; extern "C" int32_t String_IndexOf_m2077558742 (String_t* __this, uint16_t ___value, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_IndexOf_m2077558742_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___startIndex; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_0013; } } { int32_t L_1 = ___startIndex; int32_t L_2 = __this->get_length_0(); if ((((int32_t)L_1) <= ((int32_t)L_2))) { goto IL_0023; } } IL_0013: { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_3, _stringLiteral2701320592, _stringLiteral3064683206, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___count; if ((((int32_t)L_4) >= ((int32_t)0))) { goto IL_003a; } } { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_5, _stringLiteral94851343, _stringLiteral58700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_003a: { int32_t L_6 = ___startIndex; int32_t L_7 = __this->get_length_0(); int32_t L_8 = ___count; if ((((int32_t)L_6) <= ((int32_t)((int32_t)((int32_t)L_7-(int32_t)L_8))))) { goto IL_0058; } } { ArgumentOutOfRangeException_t3479058991 * L_9 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_9, _stringLiteral94851343, _stringLiteral4100223998, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_0058: { int32_t L_10 = ___startIndex; if (L_10) { goto IL_0069; } } { int32_t L_11 = __this->get_length_0(); if (!L_11) { goto IL_007b; } } IL_0069: { int32_t L_12 = ___startIndex; int32_t L_13 = __this->get_length_0(); if ((((int32_t)L_12) == ((int32_t)L_13))) { goto IL_007b; } } { int32_t L_14 = ___count; if (L_14) { goto IL_007d; } } IL_007b: { return (-1); } IL_007d: { uint16_t L_15 = ___value; int32_t L_16 = ___startIndex; int32_t L_17 = ___count; int32_t L_18 = String_IndexOfUnchecked_m1897528852(__this, L_15, L_16, L_17, /*hidden argument*/NULL); return L_18; } } // System.Int32 System.String::IndexOfUnchecked(System.Char,System.Int32,System.Int32) extern "C" int32_t String_IndexOfUnchecked_m1897528852 (String_t* __this, uint16_t ___value, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { int32_t V_0 = 0; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; { uint16_t L_0 = ___value; V_0 = L_0; uint16_t* L_1 = __this->get_address_of_start_char_1(); V_1 = (uint16_t*)L_1; uint16_t* L_2 = V_1; int32_t L_3 = ___startIndex; V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_2+(int32_t)((int32_t)((int32_t)L_3*(int32_t)2)))); uint16_t* L_4 = V_2; int32_t L_5 = ___count; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_4+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5>>(int32_t)3))<<(int32_t)3))*(int32_t)2)))); goto IL_00c9; } IL_001e: { uint16_t* L_6 = V_2; int32_t L_7 = V_0; if ((!(((uint32_t)(*((uint16_t*)L_6))) == ((uint32_t)L_7)))) { goto IL_002e; } } { uint16_t* L_8 = V_2; uint16_t* L_9 = V_1; return (((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_8-(intptr_t)L_9))/(int32_t)2)))))))); } IL_002e: { uint16_t* L_10 = V_2; int32_t L_11 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_10+(int32_t)2))))) == ((uint32_t)L_11)))) { goto IL_0043; } } { uint16_t* L_12 = V_2; uint16_t* L_13 = V_1; return (((int32_t)((int32_t)((int64_t)((int64_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_12-(intptr_t)L_13))/(int32_t)2)))))+(int64_t)(((int64_t)((int64_t)1)))))))); } IL_0043: { uint16_t* L_14 = V_2; int32_t L_15 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_14+(int32_t)4))))) == ((uint32_t)L_15)))) { goto IL_0058; } } { uint16_t* L_16 = V_2; uint16_t* L_17 = V_1; return (((int32_t)((int32_t)((int64_t)((int64_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_16-(intptr_t)L_17))/(int32_t)2)))))+(int64_t)(((int64_t)((int64_t)2)))))))); } IL_0058: { uint16_t* L_18 = V_2; int32_t L_19 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_18+(int32_t)6))))) == ((uint32_t)L_19)))) { goto IL_006d; } } { uint16_t* L_20 = V_2; uint16_t* L_21 = V_1; return (((int32_t)((int32_t)((int64_t)((int64_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_20-(intptr_t)L_21))/(int32_t)2)))))+(int64_t)(((int64_t)((int64_t)3)))))))); } IL_006d: { uint16_t* L_22 = V_2; int32_t L_23 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_22+(int32_t)8))))) == ((uint32_t)L_23)))) { goto IL_0082; } } { uint16_t* L_24 = V_2; uint16_t* L_25 = V_1; return (((int32_t)((int32_t)((int64_t)((int64_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_24-(intptr_t)L_25))/(int32_t)2)))))+(int64_t)(((int64_t)((int64_t)4)))))))); } IL_0082: { uint16_t* L_26 = V_2; int32_t L_27 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_26+(int32_t)((int32_t)10)))))) == ((uint32_t)L_27)))) { goto IL_0098; } } { uint16_t* L_28 = V_2; uint16_t* L_29 = V_1; return (((int32_t)((int32_t)((int64_t)((int64_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_28-(intptr_t)L_29))/(int32_t)2)))))+(int64_t)(((int64_t)((int64_t)5)))))))); } IL_0098: { uint16_t* L_30 = V_2; int32_t L_31 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_30+(int32_t)((int32_t)12)))))) == ((uint32_t)L_31)))) { goto IL_00ae; } } { uint16_t* L_32 = V_2; uint16_t* L_33 = V_1; return (((int32_t)((int32_t)((int64_t)((int64_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_32-(intptr_t)L_33))/(int32_t)2)))))+(int64_t)(((int64_t)((int64_t)6)))))))); } IL_00ae: { uint16_t* L_34 = V_2; int32_t L_35 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_34+(int32_t)((int32_t)14)))))) == ((uint32_t)L_35)))) { goto IL_00c4; } } { uint16_t* L_36 = V_2; uint16_t* L_37 = V_1; return (((int32_t)((int32_t)((int64_t)((int64_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_36-(intptr_t)L_37))/(int32_t)2)))))+(int64_t)(((int64_t)((int64_t)7)))))))); } IL_00c4: { uint16_t* L_38 = V_2; V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_38+(int32_t)((int32_t)16))); } IL_00c9: { uint16_t* L_39 = V_2; uint16_t* L_40 = V_3; if ((!(((uintptr_t)L_39) == ((uintptr_t)L_40)))) { goto IL_001e; } } { uint16_t* L_41 = V_3; int32_t L_42 = ___count; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_41+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_42&(int32_t)7))*(int32_t)2)))); goto IL_00f2; } IL_00dd: { uint16_t* L_43 = V_2; int32_t L_44 = V_0; if ((!(((uint32_t)(*((uint16_t*)L_43))) == ((uint32_t)L_44)))) { goto IL_00ed; } } { uint16_t* L_45 = V_2; uint16_t* L_46 = V_1; return (((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_45-(intptr_t)L_46))/(int32_t)2)))))))); } IL_00ed: { uint16_t* L_47 = V_2; V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_47+(intptr_t)(((intptr_t)2)))); } IL_00f2: { uint16_t* L_48 = V_2; uint16_t* L_49 = V_3; if ((!(((uintptr_t)L_48) == ((uintptr_t)L_49)))) { goto IL_00dd; } } { return (-1); } } // System.Int32 System.String::IndexOf(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* CultureInfo_t3603717042_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern const uint32_t String_IndexOf_m1476794331_MetadataUsageId; extern "C" int32_t String_IndexOf_m1476794331 (String_t* __this, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_IndexOf_m1476794331_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { String_t* L_2 = ___value; NullCheck(L_2); int32_t L_3 = L_2->get_length_0(); if (L_3) { goto IL_001e; } } { return 0; } IL_001e: { int32_t L_4 = __this->get_length_0(); if (L_4) { goto IL_002b; } } { return (-1); } IL_002b: { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_5 = CultureInfo_get_CurrentCulture_m2905498779(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_5); CompareInfo_t4023832425 * L_6 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_5); String_t* L_7 = ___value; int32_t L_8 = __this->get_length_0(); NullCheck(L_6); int32_t L_9 = VirtFuncInvoker5< int32_t, String_t*, String_t*, int32_t, int32_t, int32_t >::Invoke(10 /* System.Int32 System.Globalization.CompareInfo::IndexOf(System.String,System.String,System.Int32,System.Int32,System.Globalization.CompareOptions) */, L_6, __this, L_7, 0, L_8, ((int32_t)1073741824)); return L_9; } } // System.Int32 System.String::IndexOf(System.String,System.Int32) extern "C" int32_t String_IndexOf_m1991631068 (String_t* __this, String_t* ___value, int32_t ___startIndex, const MethodInfo* method) { { String_t* L_0 = ___value; int32_t L_1 = ___startIndex; int32_t L_2 = __this->get_length_0(); int32_t L_3 = ___startIndex; int32_t L_4 = String_IndexOf_m4052910459(__this, L_0, L_1, ((int32_t)((int32_t)L_2-(int32_t)L_3)), /*hidden argument*/NULL); return L_4; } } // System.Int32 System.String::IndexOf(System.String,System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* CultureInfo_t3603717042_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral1631591146; extern Il2CppCodeGenString* _stringLiteral94851343; extern Il2CppCodeGenString* _stringLiteral3179750451; extern const uint32_t String_IndexOf_m4052910459_MetadataUsageId; extern "C" int32_t String_IndexOf_m4052910459 (String_t* __this, String_t* ___value, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_IndexOf_m4052910459_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0024; } } { int32_t L_3 = ___startIndex; int32_t L_4 = __this->get_length_0(); if ((((int32_t)L_3) <= ((int32_t)L_4))) { goto IL_0034; } } IL_0024: { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_5, _stringLiteral2701320592, _stringLiteral1631591146, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0034: { int32_t L_6 = ___count; if ((((int32_t)L_6) < ((int32_t)0))) { goto IL_0049; } } { int32_t L_7 = ___startIndex; int32_t L_8 = __this->get_length_0(); int32_t L_9 = ___count; if ((((int32_t)L_7) <= ((int32_t)((int32_t)((int32_t)L_8-(int32_t)L_9))))) { goto IL_0059; } } IL_0049: { ArgumentOutOfRangeException_t3479058991 * L_10 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_10, _stringLiteral94851343, _stringLiteral3179750451, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_10); } IL_0059: { String_t* L_11 = ___value; NullCheck(L_11); int32_t L_12 = L_11->get_length_0(); if (L_12) { goto IL_0066; } } { int32_t L_13 = ___startIndex; return L_13; } IL_0066: { int32_t L_14 = ___startIndex; if (L_14) { goto IL_0079; } } { int32_t L_15 = __this->get_length_0(); if (L_15) { goto IL_0079; } } { return (-1); } IL_0079: { int32_t L_16 = ___count; if (L_16) { goto IL_0081; } } { return (-1); } IL_0081: { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_17 = CultureInfo_get_CurrentCulture_m2905498779(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_17); CompareInfo_t4023832425 * L_18 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_17); String_t* L_19 = ___value; int32_t L_20 = ___startIndex; int32_t L_21 = ___count; NullCheck(L_18); int32_t L_22 = VirtFuncInvoker4< int32_t, String_t*, String_t*, int32_t, int32_t >::Invoke(9 /* System.Int32 System.Globalization.CompareInfo::IndexOf(System.String,System.String,System.Int32,System.Int32) */, L_18, __this, L_19, L_20, L_21); return L_22; } } // System.Int32 System.String::LastIndexOfAny(System.Char[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern const uint32_t String_LastIndexOfAny_m1405458718_MetadataUsageId; extern "C" int32_t String_LastIndexOfAny_m1405458718 (String_t* __this, CharU5BU5D_t3416858730* ___anyOf, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_LastIndexOfAny_m1405458718_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___anyOf; if (L_0) { goto IL_000c; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m2162372070(L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_000c: { CharU5BU5D_t3416858730* L_2 = ___anyOf; int32_t L_3 = __this->get_length_0(); int32_t L_4 = __this->get_length_0(); int32_t L_5 = String_LastIndexOfAnyUnchecked_m3532047592(__this, L_2, ((int32_t)((int32_t)L_3-(int32_t)1)), L_4, /*hidden argument*/NULL); return L_5; } } // System.Int32 System.String::LastIndexOfAny(System.Char[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral509155380; extern const uint32_t String_LastIndexOfAny_m2835072121_MetadataUsageId; extern "C" int32_t String_LastIndexOfAny_m2835072121 (String_t* __this, CharU5BU5D_t3416858730* ___anyOf, int32_t ___startIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_LastIndexOfAny_m2835072121_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___anyOf; if (L_0) { goto IL_000c; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m2162372070(L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_000c: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_001f; } } { int32_t L_3 = ___startIndex; int32_t L_4 = __this->get_length_0(); if ((((int32_t)L_3) < ((int32_t)L_4))) { goto IL_002f; } } IL_001f: { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_5, _stringLiteral2701320592, _stringLiteral509155380, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_002f: { int32_t L_6 = __this->get_length_0(); if (L_6) { goto IL_003c; } } { return (-1); } IL_003c: { CharU5BU5D_t3416858730* L_7 = ___anyOf; int32_t L_8 = ___startIndex; int32_t L_9 = ___startIndex; int32_t L_10 = String_LastIndexOfAnyUnchecked_m3532047592(__this, L_7, L_8, ((int32_t)((int32_t)L_9+(int32_t)1)), /*hidden argument*/NULL); return L_10; } } // System.Int32 System.String::LastIndexOfAnyUnchecked(System.Char[],System.Int32,System.Int32) extern "C" int32_t String_LastIndexOfAnyUnchecked_m3532047592 (String_t* __this, CharU5BU5D_t3416858730* ___anyOf, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { uint16_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; uint16_t* V_5 = NULL; String_t* V_6 = NULL; uintptr_t G_B6_0 = 0; { CharU5BU5D_t3416858730* L_0 = ___anyOf; NullCheck(L_0); if ((!(((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_0)->max_length))))) == ((uint32_t)1)))) { goto IL_0015; } } { CharU5BU5D_t3416858730* L_1 = ___anyOf; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 0); int32_t L_2 = 0; int32_t L_3 = ___startIndex; int32_t L_4 = ___count; int32_t L_5 = String_LastIndexOfUnchecked_m4042746910(__this, ((L_1)->GetAt(static_cast<il2cpp_array_size_t>(L_2))), L_3, L_4, /*hidden argument*/NULL); return L_5; } IL_0015: { V_6 = __this; String_t* L_6 = V_6; int32_t L_7 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_6))+(int32_t)L_7)); CharU5BU5D_t3416858730* L_8 = ___anyOf; if (!L_8) { goto IL_0030; } } { CharU5BU5D_t3416858730* L_9 = ___anyOf; NullCheck(L_9); if ((((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))) { goto IL_0037; } } IL_0030: { G_B6_0 = (((uintptr_t)0)); goto IL_003e; } IL_0037: { CharU5BU5D_t3416858730* L_10 = ___anyOf; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 0); G_B6_0 = ((uintptr_t)(((L_10)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_003e: { V_1 = (uint16_t*)G_B6_0; uint16_t* L_11 = V_0; int32_t L_12 = ___startIndex; V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_11+(int32_t)((int32_t)((int32_t)L_12*(int32_t)2)))); uint16_t* L_13 = V_2; int32_t L_14 = ___count; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_13-(int32_t)((int32_t)((int32_t)L_14*(int32_t)2)))); uint16_t* L_15 = V_1; CharU5BU5D_t3416858730* L_16 = ___anyOf; NullCheck(L_16); V_5 = (uint16_t*)((uint16_t*)((intptr_t)L_15+(int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_16)->max_length))))*(int32_t)2)))); goto IL_0088; } IL_0059: { uint16_t* L_17 = V_1; V_4 = (uint16_t*)L_17; goto IL_007a; } IL_0061: { uint16_t* L_18 = V_4; uint16_t* L_19 = V_2; if ((!(((uint32_t)(*((uint16_t*)L_18))) == ((uint32_t)(*((uint16_t*)L_19)))))) { goto IL_0073; } } { uint16_t* L_20 = V_2; uint16_t* L_21 = V_0; return (((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_20-(intptr_t)L_21))/(int32_t)2)))))))); } IL_0073: { uint16_t* L_22 = V_4; V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_22+(intptr_t)(((intptr_t)2)))); } IL_007a: { uint16_t* L_23 = V_4; uint16_t* L_24 = V_5; if ((!(((uintptr_t)L_23) == ((uintptr_t)L_24)))) { goto IL_0061; } } { uint16_t* L_25 = V_2; V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_25-(intptr_t)(((intptr_t)2)))); } IL_0088: { uint16_t* L_26 = V_2; uint16_t* L_27 = V_3; if ((!(((uintptr_t)L_26) == ((uintptr_t)L_27)))) { goto IL_0059; } } { return (-1); } } // System.Int32 System.String::LastIndexOf(System.Char) extern "C" int32_t String_LastIndexOf_m3245805612 (String_t* __this, uint16_t ___value, const MethodInfo* method) { { int32_t L_0 = __this->get_length_0(); if (L_0) { goto IL_000d; } } { return (-1); } IL_000d: { uint16_t L_1 = ___value; int32_t L_2 = __this->get_length_0(); int32_t L_3 = __this->get_length_0(); int32_t L_4 = String_LastIndexOfUnchecked_m4042746910(__this, L_1, ((int32_t)((int32_t)L_2-(int32_t)1)), L_3, /*hidden argument*/NULL); return L_4; } } // System.Int32 System.String::LastIndexOf(System.Char,System.Int32) extern "C" int32_t String_LastIndexOf_m902083627 (String_t* __this, uint16_t ___value, int32_t ___startIndex, const MethodInfo* method) { { uint16_t L_0 = ___value; int32_t L_1 = ___startIndex; int32_t L_2 = ___startIndex; int32_t L_3 = String_LastIndexOf_m434357900(__this, L_0, L_1, ((int32_t)((int32_t)L_2+(int32_t)1)), /*hidden argument*/NULL); return L_3; } } // System.Int32 System.String::LastIndexOf(System.Char,System.Int32,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral1380234305; extern Il2CppCodeGenString* _stringLiteral94851343; extern Il2CppCodeGenString* _stringLiteral3874123560; extern Il2CppCodeGenString* _stringLiteral539739476; extern const uint32_t String_LastIndexOf_m434357900_MetadataUsageId; extern "C" int32_t String_LastIndexOf_m434357900 (String_t* __this, uint16_t ___value, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_LastIndexOf_m434357900_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___startIndex; if (L_0) { goto IL_0013; } } { int32_t L_1 = __this->get_length_0(); if (L_1) { goto IL_0013; } } { return (-1); } IL_0013: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0026; } } { int32_t L_3 = ___startIndex; int32_t L_4 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); if ((((int32_t)L_3) < ((int32_t)L_4))) { goto IL_0036; } } IL_0026: { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_5, _stringLiteral2701320592, _stringLiteral1380234305, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0036: { int32_t L_6 = ___count; if ((((int32_t)L_6) < ((int32_t)0))) { goto IL_0049; } } { int32_t L_7 = ___count; int32_t L_8 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); if ((((int32_t)L_7) <= ((int32_t)L_8))) { goto IL_0059; } } IL_0049: { ArgumentOutOfRangeException_t3479058991 * L_9 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_9, _stringLiteral94851343, _stringLiteral3874123560, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_0059: { int32_t L_10 = ___startIndex; int32_t L_11 = ___count; if ((((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_10-(int32_t)L_11))+(int32_t)1))) >= ((int32_t)0))) { goto IL_006f; } } { ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_12, _stringLiteral539739476, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_006f: { uint16_t L_13 = ___value; int32_t L_14 = ___startIndex; int32_t L_15 = ___count; int32_t L_16 = String_LastIndexOfUnchecked_m4042746910(__this, L_13, L_14, L_15, /*hidden argument*/NULL); return L_16; } } // System.Int32 System.String::LastIndexOfUnchecked(System.Char,System.Int32,System.Int32) extern "C" int32_t String_LastIndexOfUnchecked_m4042746910 (String_t* __this, uint16_t ___value, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { int32_t V_0 = 0; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; { uint16_t L_0 = ___value; V_0 = L_0; uint16_t* L_1 = __this->get_address_of_start_char_1(); V_1 = (uint16_t*)L_1; uint16_t* L_2 = V_1; int32_t L_3 = ___startIndex; V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_2+(int32_t)((int32_t)((int32_t)L_3*(int32_t)2)))); uint16_t* L_4 = V_2; int32_t L_5 = ___count; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_4-(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5>>(int32_t)3))<<(int32_t)3))*(int32_t)2)))); goto IL_00c6; } IL_001e: { uint16_t* L_6 = V_2; int32_t L_7 = V_0; if ((!(((uint32_t)(*((uint16_t*)L_6))) == ((uint32_t)L_7)))) { goto IL_002e; } } { uint16_t* L_8 = V_2; uint16_t* L_9 = V_1; return (((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_8-(intptr_t)L_9))/(int32_t)2)))))))); } IL_002e: { uint16_t* L_10 = V_2; int32_t L_11 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_10+(int32_t)((int32_t)-2)))))) == ((uint32_t)L_11)))) { goto IL_0043; } } { uint16_t* L_12 = V_2; uint16_t* L_13 = V_1; return ((int32_t)((int32_t)(((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_12-(intptr_t)L_13))/(int32_t)2))))))))-(int32_t)1)); } IL_0043: { uint16_t* L_14 = V_2; int32_t L_15 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_14+(int32_t)((int32_t)-4)))))) == ((uint32_t)L_15)))) { goto IL_0058; } } { uint16_t* L_16 = V_2; uint16_t* L_17 = V_1; return ((int32_t)((int32_t)(((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_16-(intptr_t)L_17))/(int32_t)2))))))))-(int32_t)2)); } IL_0058: { uint16_t* L_18 = V_2; int32_t L_19 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_18+(int32_t)((int32_t)-6)))))) == ((uint32_t)L_19)))) { goto IL_006d; } } { uint16_t* L_20 = V_2; uint16_t* L_21 = V_1; return ((int32_t)((int32_t)(((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_20-(intptr_t)L_21))/(int32_t)2))))))))-(int32_t)3)); } IL_006d: { uint16_t* L_22 = V_2; int32_t L_23 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_22+(int32_t)((int32_t)-8)))))) == ((uint32_t)L_23)))) { goto IL_0082; } } { uint16_t* L_24 = V_2; uint16_t* L_25 = V_1; return ((int32_t)((int32_t)(((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_24-(intptr_t)L_25))/(int32_t)2))))))))-(int32_t)4)); } IL_0082: { uint16_t* L_26 = V_2; int32_t L_27 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_26+(int32_t)((int32_t)-10)))))) == ((uint32_t)L_27)))) { goto IL_0097; } } { uint16_t* L_28 = V_2; uint16_t* L_29 = V_1; return ((int32_t)((int32_t)(((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_28-(intptr_t)L_29))/(int32_t)2))))))))-(int32_t)5)); } IL_0097: { uint16_t* L_30 = V_2; int32_t L_31 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_30+(int32_t)((int32_t)-12)))))) == ((uint32_t)L_31)))) { goto IL_00ac; } } { uint16_t* L_32 = V_2; uint16_t* L_33 = V_1; return ((int32_t)((int32_t)(((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_32-(intptr_t)L_33))/(int32_t)2))))))))-(int32_t)6)); } IL_00ac: { uint16_t* L_34 = V_2; int32_t L_35 = V_0; if ((!(((uint32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_34+(int32_t)((int32_t)-14)))))) == ((uint32_t)L_35)))) { goto IL_00c1; } } { uint16_t* L_36 = V_2; uint16_t* L_37 = V_1; return ((int32_t)((int32_t)(((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_36-(intptr_t)L_37))/(int32_t)2))))))))-(int32_t)7)); } IL_00c1: { uint16_t* L_38 = V_2; V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_38-(int32_t)((int32_t)16))); } IL_00c6: { uint16_t* L_39 = V_2; uint16_t* L_40 = V_3; if ((!(((uintptr_t)L_39) == ((uintptr_t)L_40)))) { goto IL_001e; } } { uint16_t* L_41 = V_3; int32_t L_42 = ___count; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_41-(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_42&(int32_t)7))*(int32_t)2)))); goto IL_00ef; } IL_00da: { uint16_t* L_43 = V_2; int32_t L_44 = V_0; if ((!(((uint32_t)(*((uint16_t*)L_43))) == ((uint32_t)L_44)))) { goto IL_00ea; } } { uint16_t* L_45 = V_2; uint16_t* L_46 = V_1; return (((int32_t)((int32_t)(((int64_t)((int64_t)(intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_45-(intptr_t)L_46))/(int32_t)2)))))))); } IL_00ea: { uint16_t* L_47 = V_2; V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_47-(intptr_t)(((intptr_t)2)))); } IL_00ef: { uint16_t* L_48 = V_2; uint16_t* L_49 = V_3; if ((!(((uintptr_t)L_48) == ((uintptr_t)L_49)))) { goto IL_00da; } } { return (-1); } } // System.Int32 System.String::LastIndexOf(System.String) extern "C" int32_t String_LastIndexOf_m2747144337 (String_t* __this, String_t* ___value, const MethodInfo* method) { { int32_t L_0 = __this->get_length_0(); if (L_0) { goto IL_0015; } } { String_t* L_1 = ___value; int32_t L_2 = String_LastIndexOf_m1189898929(__this, L_1, 0, 0, /*hidden argument*/NULL); return L_2; } IL_0015: { String_t* L_3 = ___value; int32_t L_4 = __this->get_length_0(); int32_t L_5 = __this->get_length_0(); int32_t L_6 = String_LastIndexOf_m1189898929(__this, L_3, ((int32_t)((int32_t)L_4-(int32_t)1)), L_5, /*hidden argument*/NULL); return L_6; } } // System.Int32 System.String::LastIndexOf(System.String,System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* CultureInfo_t3603717042_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral3874123560; extern Il2CppCodeGenString* _stringLiteral94851343; extern Il2CppCodeGenString* _stringLiteral539739476; extern const uint32_t String_LastIndexOf_m1189898929_MetadataUsageId; extern "C" int32_t String_LastIndexOf_m1189898929 (String_t* __this, String_t* ___value, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_LastIndexOf_m1189898929_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) < ((int32_t)(-1)))) { goto IL_0024; } } { int32_t L_3 = ___startIndex; int32_t L_4 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); if ((((int32_t)L_3) <= ((int32_t)L_4))) { goto IL_0034; } } IL_0024: { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_5, _stringLiteral2701320592, _stringLiteral3874123560, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0034: { int32_t L_6 = ___count; if ((((int32_t)L_6) < ((int32_t)0))) { goto IL_0047; } } { int32_t L_7 = ___count; int32_t L_8 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); if ((((int32_t)L_7) <= ((int32_t)L_8))) { goto IL_0057; } } IL_0047: { ArgumentOutOfRangeException_t3479058991 * L_9 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_9, _stringLiteral94851343, _stringLiteral3874123560, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_0057: { int32_t L_10 = ___startIndex; int32_t L_11 = ___count; if ((((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_10-(int32_t)L_11))+(int32_t)1))) >= ((int32_t)0))) { goto IL_006d; } } { ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_12, _stringLiteral539739476, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_006d: { String_t* L_13 = ___value; NullCheck(L_13); int32_t L_14 = String_get_Length_m2979997331(L_13, /*hidden argument*/NULL); if (L_14) { goto IL_007a; } } { int32_t L_15 = ___startIndex; return L_15; } IL_007a: { int32_t L_16 = ___startIndex; if (L_16) { goto IL_008d; } } { int32_t L_17 = __this->get_length_0(); if (L_17) { goto IL_008d; } } { return (-1); } IL_008d: { int32_t L_18 = __this->get_length_0(); if (L_18) { goto IL_00a6; } } { String_t* L_19 = ___value; NullCheck(L_19); int32_t L_20 = L_19->get_length_0(); if ((((int32_t)L_20) <= ((int32_t)0))) { goto IL_00a6; } } { return (-1); } IL_00a6: { int32_t L_21 = ___count; if (L_21) { goto IL_00ae; } } { return (-1); } IL_00ae: { int32_t L_22 = ___startIndex; int32_t L_23 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); if ((!(((uint32_t)L_22) == ((uint32_t)L_23)))) { goto IL_00bf; } } { int32_t L_24 = ___startIndex; ___startIndex = ((int32_t)((int32_t)L_24-(int32_t)1)); } IL_00bf: { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_25 = CultureInfo_get_CurrentCulture_m2905498779(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_25); CompareInfo_t4023832425 * L_26 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_25); String_t* L_27 = ___value; int32_t L_28 = ___startIndex; int32_t L_29 = ___count; NullCheck(L_26); int32_t L_30 = VirtFuncInvoker4< int32_t, String_t*, String_t*, int32_t, int32_t >::Invoke(13 /* System.Int32 System.Globalization.CompareInfo::LastIndexOf(System.String,System.String,System.Int32,System.Int32) */, L_26, __this, L_27, L_28, L_29); return L_30; } } // System.Boolean System.String::Contains(System.String) extern "C" bool String_Contains_m3032019141 (String_t* __this, String_t* ___value, const MethodInfo* method) { { String_t* L_0 = ___value; int32_t L_1 = String_IndexOf_m1476794331(__this, L_0, /*hidden argument*/NULL); return (bool)((((int32_t)((((int32_t)L_1) == ((int32_t)(-1)))? 1 : 0)) == ((int32_t)0))? 1 : 0); } } // System.Boolean System.String::IsNullOrEmpty(System.String) extern "C" bool String_IsNullOrEmpty_m1256468773 (Il2CppObject * __this /* static, unused */, String_t* ___value, const MethodInfo* method) { int32_t G_B3_0 = 0; { String_t* L_0 = ___value; if (!L_0) { goto IL_0011; } } { String_t* L_1 = ___value; NullCheck(L_1); int32_t L_2 = String_get_Length_m2979997331(L_1, /*hidden argument*/NULL); G_B3_0 = ((((int32_t)L_2) == ((int32_t)0))? 1 : 0); goto IL_0012; } IL_0011: { G_B3_0 = 1; } IL_0012: { return (bool)G_B3_0; } } // System.String System.String::PadRight(System.Int32,System.Char) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3581856994; extern Il2CppCodeGenString* _stringLiteral58700; extern const uint32_t String_PadRight_m1932151982_MetadataUsageId; extern "C" String_t* String_PadRight_m1932151982 (String_t* __this, int32_t ___totalWidth, uint16_t ___paddingChar, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_PadRight_m1932151982_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; String_t* V_5 = NULL; String_t* V_6 = NULL; { int32_t L_0 = ___totalWidth; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0017; } } { ArgumentOutOfRangeException_t3479058991 * L_1 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_1, _stringLiteral3581856994, _stringLiteral58700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0017: { int32_t L_2 = ___totalWidth; int32_t L_3 = __this->get_length_0(); if ((((int32_t)L_2) >= ((int32_t)L_3))) { goto IL_0025; } } { return __this; } IL_0025: { int32_t L_4 = ___totalWidth; if (L_4) { goto IL_0031; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_5 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_5; } IL_0031: { int32_t L_6 = ___totalWidth; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_7 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); V_0 = L_7; String_t* L_8 = V_0; V_5 = L_8; String_t* L_9 = V_5; int32_t L_10 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_9))+(int32_t)L_10)); V_6 = __this; String_t* L_11 = V_6; int32_t L_12 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_11))+(int32_t)L_12)); uint16_t* L_13 = V_1; uint16_t* L_14 = V_2; int32_t L_15 = __this->get_length_0(); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_13, (uint16_t*)(uint16_t*)L_14, L_15, /*hidden argument*/NULL); uint16_t* L_16 = V_1; int32_t L_17 = __this->get_length_0(); V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_16+(int32_t)((int32_t)((int32_t)L_17*(int32_t)2)))); uint16_t* L_18 = V_1; int32_t L_19 = ___totalWidth; V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_18+(int32_t)((int32_t)((int32_t)L_19*(int32_t)2)))); goto IL_007e; } IL_0076: { uint16_t* L_20 = V_3; uint16_t* L_21 = (uint16_t*)L_20; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_21+(intptr_t)(((intptr_t)2)))); uint16_t L_22 = ___paddingChar; *((int16_t*)(L_21)) = (int16_t)L_22; } IL_007e: { uint16_t* L_23 = V_3; uint16_t* L_24 = V_4; if ((!(((uintptr_t)L_23) == ((uintptr_t)L_24)))) { goto IL_0076; } } { V_5 = (String_t*)NULL; V_6 = (String_t*)NULL; String_t* L_25 = V_0; return L_25; } } // System.Boolean System.String::StartsWith(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* CultureInfo_t3603717042_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern const uint32_t String_StartsWith_m1500793453_MetadataUsageId; extern "C" bool String_StartsWith_m1500793453 (String_t* __this, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_StartsWith_m1500793453_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_2 = CultureInfo_get_CurrentCulture_m2905498779(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_2); CompareInfo_t4023832425 * L_3 = VirtFuncInvoker0< CompareInfo_t4023832425 * >::Invoke(11 /* System.Globalization.CompareInfo System.Globalization.CultureInfo::get_CompareInfo() */, L_2); String_t* L_4 = ___value; NullCheck(L_3); bool L_5 = VirtFuncInvoker3< bool, String_t*, String_t*, int32_t >::Invoke(11 /* System.Boolean System.Globalization.CompareInfo::IsPrefix(System.String,System.String,System.Globalization.CompareOptions) */, L_3, __this, L_4, 0); return L_5; } } // System.String System.String::Replace(System.Char,System.Char) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Replace_m3369701083_MetadataUsageId; extern "C" String_t* String_Replace_m3369701083 (String_t* __this, uint16_t ___oldChar, uint16_t ___newChar, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Replace_m3369701083_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; String_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; uint16_t* V_5 = NULL; uint16_t* V_6 = NULL; String_t* V_7 = NULL; { int32_t L_0 = __this->get_length_0(); if (!L_0) { goto IL_0012; } } { uint16_t L_1 = ___oldChar; uint16_t L_2 = ___newChar; if ((!(((uint32_t)L_1) == ((uint32_t)L_2)))) { goto IL_0014; } } IL_0012: { return __this; } IL_0014: { uint16_t L_3 = ___oldChar; int32_t L_4 = __this->get_length_0(); int32_t L_5 = String_IndexOfUnchecked_m1897528852(__this, L_3, 0, L_4, /*hidden argument*/NULL); V_0 = L_5; int32_t L_6 = V_0; if ((!(((uint32_t)L_6) == ((uint32_t)(-1))))) { goto IL_002c; } } { return __this; } IL_002c: { int32_t L_7 = V_0; if ((((int32_t)L_7) >= ((int32_t)4))) { goto IL_0035; } } { V_0 = 0; } IL_0035: { int32_t L_8 = __this->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_9 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_8, /*hidden argument*/NULL); V_1 = L_9; String_t* L_10 = V_1; V_7 = L_10; String_t* L_11 = V_7; int32_t L_12 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_11))+(int32_t)L_12)); uint16_t* L_13 = __this->get_address_of_start_char_1(); V_3 = (uint16_t*)L_13; int32_t L_14 = V_0; if (!L_14) { goto IL_0063; } } { uint16_t* L_15 = V_2; uint16_t* L_16 = V_3; int32_t L_17 = V_0; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_15, (uint16_t*)(uint16_t*)L_16, L_17, /*hidden argument*/NULL); } IL_0063: { uint16_t* L_18 = V_2; int32_t L_19 = __this->get_length_0(); V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_18+(int32_t)((int32_t)((int32_t)L_19*(int32_t)2)))); uint16_t* L_20 = V_2; int32_t L_21 = V_0; V_5 = (uint16_t*)((uint16_t*)((intptr_t)L_20+(int32_t)((int32_t)((int32_t)L_21*(int32_t)2)))); uint16_t* L_22 = V_3; int32_t L_23 = V_0; V_6 = (uint16_t*)((uint16_t*)((intptr_t)L_22+(int32_t)((int32_t)((int32_t)L_23*(int32_t)2)))); goto IL_00a8; } IL_0082: { uint16_t* L_24 = V_6; uint16_t L_25 = ___oldChar; if ((!(((uint32_t)(*((uint16_t*)L_24))) == ((uint32_t)L_25)))) { goto IL_0094; } } { uint16_t* L_26 = V_5; uint16_t L_27 = ___newChar; *((int16_t*)(L_26)) = (int16_t)L_27; goto IL_009a; } IL_0094: { uint16_t* L_28 = V_5; uint16_t* L_29 = V_6; *((int16_t*)(L_28)) = (int16_t)(*((uint16_t*)L_29)); } IL_009a: { uint16_t* L_30 = V_6; V_6 = (uint16_t*)((uint16_t*)((intptr_t)L_30+(intptr_t)(((intptr_t)2)))); uint16_t* L_31 = V_5; V_5 = (uint16_t*)((uint16_t*)((intptr_t)L_31+(intptr_t)(((intptr_t)2)))); } IL_00a8: { uint16_t* L_32 = V_5; uint16_t* L_33 = V_4; if ((!(((uintptr_t)L_32) == ((uintptr_t)L_33)))) { goto IL_0082; } } { V_7 = (String_t*)NULL; V_3 = (uint16_t*)(((uintptr_t)0)); String_t* L_34 = V_1; return L_34; } } // System.String System.String::Replace(System.String,System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral189903754; extern Il2CppCodeGenString* _stringLiteral648843867; extern const uint32_t String_Replace_m2915759397_MetadataUsageId; extern "C" String_t* String_Replace_m2915759397 (String_t* __this, String_t* ___oldValue, String_t* ___newValue, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Replace_m2915759397_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___oldValue; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral189903754, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { String_t* L_2 = ___oldValue; NullCheck(L_2); int32_t L_3 = String_get_Length_m2979997331(L_2, /*hidden argument*/NULL); if (L_3) { goto IL_0027; } } { ArgumentException_t124305799 * L_4 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_4, _stringLiteral648843867, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_0027: { int32_t L_5 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); if (L_5) { goto IL_0034; } } { return __this; } IL_0034: { String_t* L_6 = ___newValue; if (L_6) { goto IL_0041; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_7 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___newValue = L_7; } IL_0041: { String_t* L_8 = ___oldValue; String_t* L_9 = ___newValue; String_t* L_10 = String_ReplaceUnchecked_m872372231(__this, L_8, L_9, /*hidden argument*/NULL); return L_10; } } // System.String System.String::ReplaceUnchecked(System.String,System.String) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_ReplaceUnchecked_m872372231_MetadataUsageId; extern "C" String_t* String_ReplaceUnchecked_m872372231 (String_t* __this, String_t* ___oldValue, String_t* ___newValue, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_ReplaceUnchecked_m872372231_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; int32_t V_4 = 0; int32_t V_5 = 0; int32_t V_6 = 0; int32_t V_7 = 0; String_t* V_8 = NULL; int32_t V_9 = 0; int32_t V_10 = 0; uint16_t* V_11 = NULL; int32_t V_12 = 0; int32_t V_13 = 0; String_t* V_14 = NULL; String_t* V_15 = NULL; String_t* V_16 = NULL; { String_t* L_0 = ___oldValue; NullCheck(L_0); int32_t L_1 = L_0->get_length_0(); int32_t L_2 = __this->get_length_0(); if ((((int32_t)L_1) <= ((int32_t)L_2))) { goto IL_0013; } } { return __this; } IL_0013: { String_t* L_3 = ___oldValue; NullCheck(L_3); int32_t L_4 = L_3->get_length_0(); if ((!(((uint32_t)L_4) == ((uint32_t)1)))) { goto IL_0040; } } { String_t* L_5 = ___newValue; NullCheck(L_5); int32_t L_6 = L_5->get_length_0(); if ((!(((uint32_t)L_6) == ((uint32_t)1)))) { goto IL_0040; } } { String_t* L_7 = ___oldValue; NullCheck(L_7); uint16_t L_8 = String_get_Chars_m3015341861(L_7, 0, /*hidden argument*/NULL); String_t* L_9 = ___newValue; NullCheck(L_9); uint16_t L_10 = String_get_Chars_m3015341861(L_9, 0, /*hidden argument*/NULL); String_t* L_11 = String_Replace_m3369701083(__this, L_8, L_10, /*hidden argument*/NULL); return L_11; } IL_0040: { if ((uint64_t)(uint32_t)((int32_t)200) * (uint64_t)(uint32_t)4 > (uint64_t)(uint32_t)kIl2CppUInt32Max) IL2CPP_RAISE_MANAGED_EXCEPTION(il2cpp_codegen_get_overflow_exception()); int8_t* L_12 = (int8_t*) alloca(((int32_t)((int32_t)((int32_t)200)*(int32_t)4))); memset(L_12,0,((int32_t)((int32_t)((int32_t)200)*(int32_t)4))); V_1 = (int32_t*)(L_12); V_14 = __this; String_t* L_13 = V_14; int32_t L_14 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_13))+(int32_t)L_14)); String_t* L_15 = ___newValue; V_15 = L_15; String_t* L_16 = V_15; int32_t L_17 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_3 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_16))+(int32_t)L_17)); V_4 = 0; V_5 = 0; goto IL_00c8; } IL_006f: { String_t* L_18 = ___oldValue; int32_t L_19 = V_4; int32_t L_20 = __this->get_length_0(); int32_t L_21 = V_4; int32_t L_22 = String_IndexOfOrdinalUnchecked_m3747812990(__this, L_18, L_19, ((int32_t)((int32_t)L_20-(int32_t)L_21)), /*hidden argument*/NULL); V_6 = L_22; int32_t L_23 = V_6; if ((((int32_t)L_23) >= ((int32_t)0))) { goto IL_0090; } } { goto IL_00d5; } IL_0090: { int32_t L_24 = V_5; if ((((int32_t)L_24) >= ((int32_t)((int32_t)200)))) { goto IL_00af; } } { int32_t* L_25 = V_1; int32_t L_26 = V_5; int32_t L_27 = L_26; V_5 = ((int32_t)((int32_t)L_27+(int32_t)1)); int32_t L_28 = V_6; *((int32_t*)(((int32_t*)((intptr_t)L_25+(int32_t)((int32_t)((int32_t)L_27*(int32_t)4)))))) = (int32_t)L_28; goto IL_00bd; } IL_00af: { String_t* L_29 = ___oldValue; String_t* L_30 = ___newValue; String_t* L_31 = String_ReplaceFallback_m3944881236(__this, L_29, L_30, ((int32_t)200), /*hidden argument*/NULL); return L_31; } IL_00bd: { int32_t L_32 = V_6; String_t* L_33 = ___oldValue; NullCheck(L_33); int32_t L_34 = L_33->get_length_0(); V_4 = ((int32_t)((int32_t)L_32+(int32_t)L_34)); } IL_00c8: { int32_t L_35 = V_4; int32_t L_36 = __this->get_length_0(); if ((((int32_t)L_35) < ((int32_t)L_36))) { goto IL_006f; } } IL_00d5: { int32_t L_37 = V_5; if (L_37) { goto IL_00de; } } { return __this; } IL_00de: { int32_t L_38 = __this->get_length_0(); String_t* L_39 = ___newValue; NullCheck(L_39); int32_t L_40 = L_39->get_length_0(); String_t* L_41 = ___oldValue; NullCheck(L_41); int32_t L_42 = L_41->get_length_0(); int32_t L_43 = V_5; V_7 = ((int32_t)((int32_t)L_38+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_40-(int32_t)L_42))*(int32_t)L_43)))); int32_t L_44 = V_7; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_45 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_44, /*hidden argument*/NULL); V_8 = L_45; V_9 = 0; V_10 = 0; String_t* L_46 = V_8; V_16 = L_46; String_t* L_47 = V_16; int32_t L_48 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_11 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_47))+(int32_t)L_48)); V_12 = 0; goto IL_0178; } IL_011d: { int32_t* L_49 = V_1; int32_t L_50 = V_12; int32_t L_51 = V_10; V_13 = ((int32_t)((int32_t)(*((int32_t*)((int32_t*)((intptr_t)L_49+(int32_t)((int32_t)((int32_t)L_50*(int32_t)4))))))-(int32_t)L_51)); uint16_t* L_52 = V_11; int32_t L_53 = V_9; uint16_t* L_54 = V_2; int32_t L_55 = V_10; int32_t L_56 = V_13; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_52+(int32_t)((int32_t)((int32_t)L_53*(int32_t)2)))), (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_54+(int32_t)((int32_t)((int32_t)L_55*(int32_t)2)))), L_56, /*hidden argument*/NULL); int32_t L_57 = V_9; int32_t L_58 = V_13; V_9 = ((int32_t)((int32_t)L_57+(int32_t)L_58)); int32_t* L_59 = V_1; int32_t L_60 = V_12; String_t* L_61 = ___oldValue; NullCheck(L_61); int32_t L_62 = L_61->get_length_0(); V_10 = ((int32_t)((int32_t)(*((int32_t*)((int32_t*)((intptr_t)L_59+(int32_t)((int32_t)((int32_t)L_60*(int32_t)4))))))+(int32_t)L_62)); uint16_t* L_63 = V_11; int32_t L_64 = V_9; uint16_t* L_65 = V_3; String_t* L_66 = ___newValue; NullCheck(L_66); int32_t L_67 = L_66->get_length_0(); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_63+(int32_t)((int32_t)((int32_t)L_64*(int32_t)2)))), (uint16_t*)(uint16_t*)L_65, L_67, /*hidden argument*/NULL); int32_t L_68 = V_9; String_t* L_69 = ___newValue; NullCheck(L_69); int32_t L_70 = L_69->get_length_0(); V_9 = ((int32_t)((int32_t)L_68+(int32_t)L_70)); int32_t L_71 = V_12; V_12 = ((int32_t)((int32_t)L_71+(int32_t)1)); } IL_0178: { int32_t L_72 = V_12; int32_t L_73 = V_5; if ((((int32_t)L_72) < ((int32_t)L_73))) { goto IL_011d; } } { uint16_t* L_74 = V_11; int32_t L_75 = V_9; uint16_t* L_76 = V_2; int32_t L_77 = V_10; int32_t L_78 = __this->get_length_0(); int32_t L_79 = V_10; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_74+(int32_t)((int32_t)((int32_t)L_75*(int32_t)2)))), (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_76+(int32_t)((int32_t)((int32_t)L_77*(int32_t)2)))), ((int32_t)((int32_t)L_78-(int32_t)L_79)), /*hidden argument*/NULL); V_16 = (String_t*)NULL; String_t* L_80 = V_8; return L_80; } } // System.String System.String::ReplaceFallback(System.String,System.String,System.Int32) extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern const uint32_t String_ReplaceFallback_m3944881236_MetadataUsageId; extern "C" String_t* String_ReplaceFallback_m3944881236 (String_t* __this, String_t* ___oldValue, String_t* ___newValue, int32_t ___testedCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_ReplaceFallback_m3944881236_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; StringBuilder_t3822575854 * V_1 = NULL; int32_t V_2 = 0; int32_t V_3 = 0; { int32_t L_0 = __this->get_length_0(); String_t* L_1 = ___newValue; NullCheck(L_1); int32_t L_2 = L_1->get_length_0(); String_t* L_3 = ___oldValue; NullCheck(L_3); int32_t L_4 = L_3->get_length_0(); int32_t L_5 = ___testedCount; V_0 = ((int32_t)((int32_t)L_0+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_2-(int32_t)L_4))*(int32_t)L_5)))); int32_t L_6 = V_0; StringBuilder_t3822575854 * L_7 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m3624398269(L_7, L_6, /*hidden argument*/NULL); V_1 = L_7; V_2 = 0; goto IL_007a; } IL_0025: { String_t* L_8 = ___oldValue; int32_t L_9 = V_2; int32_t L_10 = __this->get_length_0(); int32_t L_11 = V_2; int32_t L_12 = String_IndexOfOrdinalUnchecked_m3747812990(__this, L_8, L_9, ((int32_t)((int32_t)L_10-(int32_t)L_11)), /*hidden argument*/NULL); V_3 = L_12; int32_t L_13 = V_3; if ((((int32_t)L_13) >= ((int32_t)0))) { goto IL_0058; } } { StringBuilder_t3822575854 * L_14 = V_1; int32_t L_15 = V_2; int32_t L_16 = __this->get_length_0(); int32_t L_17 = V_2; String_t* L_18 = String_SubstringUnchecked_m3781557708(__this, L_15, ((int32_t)((int32_t)L_16-(int32_t)L_17)), /*hidden argument*/NULL); NullCheck(L_14); StringBuilder_Append_m3898090075(L_14, L_18, /*hidden argument*/NULL); goto IL_0086; } IL_0058: { StringBuilder_t3822575854 * L_19 = V_1; int32_t L_20 = V_2; int32_t L_21 = V_3; int32_t L_22 = V_2; String_t* L_23 = String_SubstringUnchecked_m3781557708(__this, L_20, ((int32_t)((int32_t)L_21-(int32_t)L_22)), /*hidden argument*/NULL); NullCheck(L_19); StringBuilder_Append_m3898090075(L_19, L_23, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_24 = V_1; String_t* L_25 = ___newValue; NullCheck(L_24); StringBuilder_Append_m3898090075(L_24, L_25, /*hidden argument*/NULL); int32_t L_26 = V_3; String_t* L_27 = ___oldValue; NullCheck(L_27); int32_t L_28 = String_get_Length_m2979997331(L_27, /*hidden argument*/NULL); V_2 = ((int32_t)((int32_t)L_26+(int32_t)L_28)); } IL_007a: { int32_t L_29 = V_2; int32_t L_30 = __this->get_length_0(); if ((((int32_t)L_29) < ((int32_t)L_30))) { goto IL_0025; } } IL_0086: { StringBuilder_t3822575854 * L_31 = V_1; NullCheck(L_31); String_t* L_32 = StringBuilder_ToString_m350379841(L_31, /*hidden argument*/NULL); return L_32; } } // System.String System.String::Remove(System.Int32,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral3807424217; extern Il2CppCodeGenString* _stringLiteral94851343; extern Il2CppCodeGenString* _stringLiteral4100223998; extern const uint32_t String_Remove_m242090629_MetadataUsageId; extern "C" String_t* String_Remove_m242090629 (String_t* __this, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Remove_m242090629_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; int32_t V_4 = 0; String_t* V_5 = NULL; String_t* V_6 = NULL; { int32_t L_0 = ___startIndex; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0017; } } { ArgumentOutOfRangeException_t3479058991 * L_1 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_1, _stringLiteral2701320592, _stringLiteral3807424217, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0017: { int32_t L_2 = ___count; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_002e; } } { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_3, _stringLiteral94851343, _stringLiteral3807424217, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_002e: { int32_t L_4 = ___startIndex; int32_t L_5 = __this->get_length_0(); int32_t L_6 = ___count; if ((((int32_t)L_4) <= ((int32_t)((int32_t)((int32_t)L_5-(int32_t)L_6))))) { goto IL_004c; } } { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_7, _stringLiteral94851343, _stringLiteral4100223998, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_004c: { int32_t L_8 = __this->get_length_0(); int32_t L_9 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_10 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, ((int32_t)((int32_t)L_8-(int32_t)L_9)), /*hidden argument*/NULL); V_0 = L_10; String_t* L_11 = V_0; V_5 = L_11; String_t* L_12 = V_5; int32_t L_13 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_12))+(int32_t)L_13)); V_6 = __this; String_t* L_14 = V_6; int32_t L_15 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_14))+(int32_t)L_15)); uint16_t* L_16 = V_1; V_3 = (uint16_t*)L_16; uint16_t* L_17 = V_3; uint16_t* L_18 = V_2; int32_t L_19 = ___startIndex; String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_17, (uint16_t*)(uint16_t*)L_18, L_19, /*hidden argument*/NULL); int32_t L_20 = ___startIndex; int32_t L_21 = ___count; V_4 = ((int32_t)((int32_t)L_20+(int32_t)L_21)); uint16_t* L_22 = V_3; int32_t L_23 = ___startIndex; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_22+(int32_t)((int32_t)((int32_t)L_23*(int32_t)2)))); uint16_t* L_24 = V_3; uint16_t* L_25 = V_2; int32_t L_26 = V_4; int32_t L_27 = __this->get_length_0(); int32_t L_28 = V_4; String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_24, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_25+(int32_t)((int32_t)((int32_t)L_26*(int32_t)2)))), ((int32_t)((int32_t)L_27-(int32_t)L_28)), /*hidden argument*/NULL); V_5 = (String_t*)NULL; V_6 = (String_t*)NULL; String_t* L_29 = V_0; return L_29; } } // System.String System.String::ToLower() extern TypeInfo* CultureInfo_t3603717042_il2cpp_TypeInfo_var; extern const uint32_t String_ToLower_m2421900555_MetadataUsageId; extern "C" String_t* String_ToLower_m2421900555 (String_t* __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_ToLower_m2421900555_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_0 = CultureInfo_get_CurrentCulture_m2905498779(NULL /*static, unused*/, /*hidden argument*/NULL); String_t* L_1 = String_ToLower_m2140020155(__this, L_0, /*hidden argument*/NULL); return L_1; } } // System.String System.String::ToLower(System.Globalization.CultureInfo) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1121473966; extern const uint32_t String_ToLower_m2140020155_MetadataUsageId; extern "C" String_t* String_ToLower_m2140020155 (String_t* __this, CultureInfo_t3603717042 * ___culture, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_ToLower_m2140020155_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CultureInfo_t3603717042 * L_0 = ___culture; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral1121473966, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { CultureInfo_t3603717042 * L_2 = ___culture; NullCheck(L_2); int32_t L_3 = VirtFuncInvoker0< int32_t >::Invoke(6 /* System.Int32 System.Globalization.CultureInfo::get_LCID() */, L_2); if ((!(((uint32_t)L_3) == ((uint32_t)((int32_t)127))))) { goto IL_0025; } } { String_t* L_4 = String_ToLowerInvariant_m4111189975(__this, /*hidden argument*/NULL); return L_4; } IL_0025: { CultureInfo_t3603717042 * L_5 = ___culture; NullCheck(L_5); TextInfo_t1829318641 * L_6 = VirtFuncInvoker0< TextInfo_t1829318641 * >::Invoke(9 /* System.Globalization.TextInfo System.Globalization.CultureInfo::get_TextInfo() */, L_5); NullCheck(L_6); String_t* L_7 = VirtFuncInvoker1< String_t*, String_t* >::Invoke(9 /* System.String System.Globalization.TextInfo::ToLower(System.String) */, L_6, __this); return L_7; } } // System.String System.String::ToLowerInvariant() extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* Char_t2778706699_il2cpp_TypeInfo_var; extern const uint32_t String_ToLowerInvariant_m4111189975_MetadataUsageId; extern "C" String_t* String_ToLowerInvariant_m4111189975 (String_t* __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_ToLowerInvariant_m4111189975_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; int32_t V_5 = 0; String_t* V_6 = NULL; { int32_t L_0 = __this->get_length_0(); if (L_0) { goto IL_0011; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_1; } IL_0011: { int32_t L_2 = __this->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_3 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); V_0 = L_3; uint16_t* L_4 = __this->get_address_of_start_char_1(); V_1 = (uint16_t*)L_4; String_t* L_5 = V_0; V_6 = L_5; String_t* L_6 = V_6; int32_t L_7 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_6))+(int32_t)L_7)); uint16_t* L_8 = V_2; V_3 = (uint16_t*)L_8; uint16_t* L_9 = V_1; V_4 = (uint16_t*)L_9; V_5 = 0; goto IL_005a; } IL_003e: { uint16_t* L_10 = V_3; uint16_t* L_11 = V_4; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); uint16_t L_12 = Char_ToLowerInvariant_m2407684316(NULL /*static, unused*/, (*((uint16_t*)L_11)), /*hidden argument*/NULL); *((int16_t*)(L_10)) = (int16_t)L_12; uint16_t* L_13 = V_4; V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_13+(intptr_t)(((intptr_t)2)))); uint16_t* L_14 = V_3; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_14+(intptr_t)(((intptr_t)2)))); int32_t L_15 = V_5; V_5 = ((int32_t)((int32_t)L_15+(int32_t)1)); } IL_005a: { int32_t L_16 = V_5; int32_t L_17 = __this->get_length_0(); if ((((int32_t)L_16) < ((int32_t)L_17))) { goto IL_003e; } } { V_1 = (uint16_t*)(((uintptr_t)0)); V_6 = (String_t*)NULL; String_t* L_18 = V_0; return L_18; } } // System.String System.String::ToString() extern "C" String_t* String_ToString_m1382284457 (String_t* __this, const MethodInfo* method) { { return __this; } } // System.String System.String::ToString(System.IFormatProvider) extern "C" String_t* String_ToString_m1534627031 (String_t* __this, Il2CppObject * ___provider, const MethodInfo* method) { { return __this; } } // System.String System.String::Format(System.String,System.Object) extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Format_m2471250780_MetadataUsageId; extern "C" String_t* String_Format_m2471250780 (Il2CppObject * __this /* static, unused */, String_t* ___format, Il2CppObject * ___arg0, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Format_m2471250780_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___format; ObjectU5BU5D_t11523773* L_1 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)1)); Il2CppObject * L_2 = ___arg0; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 0); ArrayElementTypeCheck (L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_2); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_3 = String_Format_m3351777162(NULL /*static, unused*/, (Il2CppObject *)NULL, L_0, L_1, /*hidden argument*/NULL); return L_3; } } // System.String System.String::Format(System.String,System.Object,System.Object) extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Format_m2398979370_MetadataUsageId; extern "C" String_t* String_Format_m2398979370 (Il2CppObject * __this /* static, unused */, String_t* ___format, Il2CppObject * ___arg0, Il2CppObject * ___arg1, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Format_m2398979370_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___format; ObjectU5BU5D_t11523773* L_1 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)2)); Il2CppObject * L_2 = ___arg0; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 0); ArrayElementTypeCheck (L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_2); ObjectU5BU5D_t11523773* L_3 = L_1; Il2CppObject * L_4 = ___arg1; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 1); ArrayElementTypeCheck (L_3, L_4); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(1), (Il2CppObject *)L_4); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_5 = String_Format_m3351777162(NULL /*static, unused*/, (Il2CppObject *)NULL, L_0, L_3, /*hidden argument*/NULL); return L_5; } } // System.String System.String::Format(System.String,System.Object,System.Object,System.Object) extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Format_m3928391288_MetadataUsageId; extern "C" String_t* String_Format_m3928391288 (Il2CppObject * __this /* static, unused */, String_t* ___format, Il2CppObject * ___arg0, Il2CppObject * ___arg1, Il2CppObject * ___arg2, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Format_m3928391288_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___format; ObjectU5BU5D_t11523773* L_1 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)3)); Il2CppObject * L_2 = ___arg0; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 0); ArrayElementTypeCheck (L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_2); ObjectU5BU5D_t11523773* L_3 = L_1; Il2CppObject * L_4 = ___arg1; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 1); ArrayElementTypeCheck (L_3, L_4); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(1), (Il2CppObject *)L_4); ObjectU5BU5D_t11523773* L_5 = L_3; Il2CppObject * L_6 = ___arg2; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, 2); ArrayElementTypeCheck (L_5, L_6); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(2), (Il2CppObject *)L_6); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_7 = String_Format_m3351777162(NULL /*static, unused*/, (Il2CppObject *)NULL, L_0, L_5, /*hidden argument*/NULL); return L_7; } } // System.String System.String::Format(System.String,System.Object[]) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Format_m4050103162_MetadataUsageId; extern "C" String_t* String_Format_m4050103162 (Il2CppObject * __this /* static, unused */, String_t* ___format, ObjectU5BU5D_t11523773* ___args, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Format_m4050103162_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___format; ObjectU5BU5D_t11523773* L_1 = ___args; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_2 = String_Format_m3351777162(NULL /*static, unused*/, (Il2CppObject *)NULL, L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.String System.String::Format(System.IFormatProvider,System.String,System.Object[]) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Format_m3351777162_MetadataUsageId; extern "C" String_t* String_Format_m3351777162 (Il2CppObject * __this /* static, unused */, Il2CppObject * ___provider, String_t* ___format, ObjectU5BU5D_t11523773* ___args, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Format_m3351777162_MetadataUsageId); s_Il2CppMethodIntialized = true; } StringBuilder_t3822575854 * V_0 = NULL; { Il2CppObject * L_0 = ___provider; String_t* L_1 = ___format; ObjectU5BU5D_t11523773* L_2 = ___args; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); StringBuilder_t3822575854 * L_3 = String_FormatHelper_m2506490508(NULL /*static, unused*/, (StringBuilder_t3822575854 *)NULL, L_0, L_1, L_2, /*hidden argument*/NULL); V_0 = L_3; StringBuilder_t3822575854 * L_4 = V_0; NullCheck(L_4); String_t* L_5 = StringBuilder_ToString_m350379841(L_4, /*hidden argument*/NULL); return L_5; } } // System.Text.StringBuilder System.String::FormatHelper(System.Text.StringBuilder,System.IFormatProvider,System.String,System.Object[]) extern const Il2CppType* ICustomFormatter_t3457694821_0_0_0_var; extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* StringBuilder_t3822575854_il2cpp_TypeInfo_var; extern TypeInfo* FormatException_t2404802957_il2cpp_TypeInfo_var; extern TypeInfo* Type_t_il2cpp_TypeInfo_var; extern TypeInfo* IFormatProvider_t3436592966_il2cpp_TypeInfo_var; extern TypeInfo* ICustomFormatter_t3457694821_il2cpp_TypeInfo_var; extern TypeInfo* IFormattable_t2460033475_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3026188279; extern Il2CppCodeGenString* _stringLiteral3002589; extern Il2CppCodeGenString* _stringLiteral927530699; extern Il2CppCodeGenString* _stringLiteral3682737700; extern const uint32_t String_FormatHelper_m2506490508_MetadataUsageId; extern "C" StringBuilder_t3822575854 * String_FormatHelper_m2506490508 (Il2CppObject * __this /* static, unused */, StringBuilder_t3822575854 * ___result, Il2CppObject * ___provider, String_t* ___format, ObjectU5BU5D_t11523773* ___args, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_FormatHelper_m2506490508_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; String_t* V_2 = NULL; int32_t V_3 = 0; int32_t V_4 = 0; uint16_t V_5 = 0x0; int32_t V_6 = 0; int32_t V_7 = 0; bool V_8 = false; String_t* V_9 = NULL; Il2CppObject * V_10 = NULL; String_t* V_11 = NULL; Il2CppObject * V_12 = NULL; uint16_t V_13 = 0x0; int32_t V_14 = 0; { String_t* L_0 = ___format; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral3026188279, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ObjectU5BU5D_t11523773* L_2 = ___args; if (L_2) { goto IL_0022; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral3002589, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0022: { StringBuilder_t3822575854 * L_4 = ___result; if (L_4) { goto IL_0084; } } { V_1 = 0; V_0 = 0; goto IL_0057; } IL_0031: { ObjectU5BU5D_t11523773* L_5 = ___args; int32_t L_6 = V_0; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, L_6); int32_t L_7 = L_6; V_2 = ((String_t*)IsInstSealed(((L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_7))), String_t_il2cpp_TypeInfo_var)); String_t* L_8 = V_2; if (!L_8) { goto IL_004e; } } { int32_t L_9 = V_1; String_t* L_10 = V_2; NullCheck(L_10); int32_t L_11 = L_10->get_length_0(); V_1 = ((int32_t)((int32_t)L_9+(int32_t)L_11)); goto IL_0053; } IL_004e: { goto IL_0060; } IL_0053: { int32_t L_12 = V_0; V_0 = ((int32_t)((int32_t)L_12+(int32_t)1)); } IL_0057: { int32_t L_13 = V_0; ObjectU5BU5D_t11523773* L_14 = ___args; NullCheck(L_14); if ((((int32_t)L_13) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_14)->max_length))))))) { goto IL_0031; } } IL_0060: { int32_t L_15 = V_0; ObjectU5BU5D_t11523773* L_16 = ___args; NullCheck(L_16); if ((!(((uint32_t)L_15) == ((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_16)->max_length)))))))) { goto IL_007d; } } { int32_t L_17 = V_1; String_t* L_18 = ___format; NullCheck(L_18); int32_t L_19 = L_18->get_length_0(); StringBuilder_t3822575854 * L_20 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m3624398269(L_20, ((int32_t)((int32_t)L_17+(int32_t)L_19)), /*hidden argument*/NULL); ___result = L_20; goto IL_0084; } IL_007d: { StringBuilder_t3822575854 * L_21 = (StringBuilder_t3822575854 *)il2cpp_codegen_object_new(StringBuilder_t3822575854_il2cpp_TypeInfo_var); StringBuilder__ctor_m135953004(L_21, /*hidden argument*/NULL); ___result = L_21; } IL_0084: { V_3 = 0; int32_t L_22 = V_3; V_4 = L_22; goto IL_0228; } IL_008e: { String_t* L_23 = ___format; int32_t L_24 = V_3; int32_t L_25 = L_24; V_3 = ((int32_t)((int32_t)L_25+(int32_t)1)); NullCheck(L_23); uint16_t L_26 = String_get_Chars_m3015341861(L_23, L_25, /*hidden argument*/NULL); V_5 = L_26; uint16_t L_27 = V_5; if ((!(((uint32_t)L_27) == ((uint32_t)((int32_t)123))))) { goto IL_01d5; } } { StringBuilder_t3822575854 * L_28 = ___result; String_t* L_29 = ___format; int32_t L_30 = V_4; int32_t L_31 = V_3; int32_t L_32 = V_4; NullCheck(L_28); StringBuilder_Append_m2996071419(L_28, L_29, L_30, ((int32_t)((int32_t)((int32_t)((int32_t)L_31-(int32_t)L_32))-(int32_t)1)), /*hidden argument*/NULL); String_t* L_33 = ___format; int32_t L_34 = V_3; NullCheck(L_33); uint16_t L_35 = String_get_Chars_m3015341861(L_33, L_34, /*hidden argument*/NULL); if ((!(((uint32_t)L_35) == ((uint32_t)((int32_t)123))))) { goto IL_00ce; } } { int32_t L_36 = V_3; int32_t L_37 = L_36; V_3 = ((int32_t)((int32_t)L_37+(int32_t)1)); V_4 = L_37; goto IL_0228; } IL_00ce: { String_t* L_38 = ___format; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_ParseFormatSpecifier_m3682617588(NULL /*static, unused*/, L_38, (&V_3), (&V_6), (&V_7), (&V_8), (&V_9), /*hidden argument*/NULL); int32_t L_39 = V_6; ObjectU5BU5D_t11523773* L_40 = ___args; NullCheck(L_40); if ((((int32_t)L_39) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_40)->max_length))))))) { goto IL_00f3; } } { FormatException_t2404802957 * L_41 = (FormatException_t2404802957 *)il2cpp_codegen_object_new(FormatException_t2404802957_il2cpp_TypeInfo_var); FormatException__ctor_m27151337(L_41, _stringLiteral927530699, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_41); } IL_00f3: { ObjectU5BU5D_t11523773* L_42 = ___args; int32_t L_43 = V_6; NullCheck(L_42); IL2CPP_ARRAY_BOUNDS_CHECK(L_42, L_43); int32_t L_44 = L_43; V_10 = ((L_42)->GetAt(static_cast<il2cpp_array_size_t>(L_44))); V_12 = (Il2CppObject *)NULL; Il2CppObject * L_45 = ___provider; if (!L_45) { goto IL_0119; } } { Il2CppObject * L_46 = ___provider; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_47 = Type_GetTypeFromHandle_m3806905434(NULL /*static, unused*/, LoadTypeToken(ICustomFormatter_t3457694821_0_0_0_var), /*hidden argument*/NULL); NullCheck(L_46); Il2CppObject * L_48 = InterfaceFuncInvoker1< Il2CppObject *, Type_t * >::Invoke(0 /* System.Object System.IFormatProvider::GetFormat(System.Type) */, IFormatProvider_t3436592966_il2cpp_TypeInfo_var, L_46, L_47); V_12 = ((Il2CppObject *)IsInst(L_48, ICustomFormatter_t3457694821_il2cpp_TypeInfo_var)); } IL_0119: { Il2CppObject * L_49 = V_10; if (L_49) { goto IL_012c; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_50 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); V_11 = L_50; goto IL_0171; } IL_012c: { Il2CppObject * L_51 = V_12; if (!L_51) { goto IL_0146; } } { Il2CppObject * L_52 = V_12; String_t* L_53 = V_9; Il2CppObject * L_54 = V_10; Il2CppObject * L_55 = ___provider; NullCheck(L_52); String_t* L_56 = InterfaceFuncInvoker3< String_t*, String_t*, Il2CppObject *, Il2CppObject * >::Invoke(0 /* System.String System.ICustomFormatter::Format(System.String,System.Object,System.IFormatProvider) */, ICustomFormatter_t3457694821_il2cpp_TypeInfo_var, L_52, L_53, L_54, L_55); V_11 = L_56; goto IL_0171; } IL_0146: { Il2CppObject * L_57 = V_10; if (!((Il2CppObject *)IsInst(L_57, IFormattable_t2460033475_il2cpp_TypeInfo_var))) { goto IL_0168; } } { Il2CppObject * L_58 = V_10; String_t* L_59 = V_9; Il2CppObject * L_60 = ___provider; NullCheck(((Il2CppObject *)Castclass(L_58, IFormattable_t2460033475_il2cpp_TypeInfo_var))); String_t* L_61 = InterfaceFuncInvoker2< String_t*, String_t*, Il2CppObject * >::Invoke(0 /* System.String System.IFormattable::ToString(System.String,System.IFormatProvider) */, IFormattable_t2460033475_il2cpp_TypeInfo_var, ((Il2CppObject *)Castclass(L_58, IFormattable_t2460033475_il2cpp_TypeInfo_var)), L_59, L_60); V_11 = L_61; goto IL_0171; } IL_0168: { Il2CppObject * L_62 = V_10; NullCheck(L_62); String_t* L_63 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_62); V_11 = L_63; } IL_0171: { int32_t L_64 = V_7; String_t* L_65 = V_11; NullCheck(L_65); int32_t L_66 = L_65->get_length_0(); if ((((int32_t)L_64) <= ((int32_t)L_66))) { goto IL_01c4; } } { int32_t L_67 = V_7; String_t* L_68 = V_11; NullCheck(L_68); int32_t L_69 = L_68->get_length_0(); V_14 = ((int32_t)((int32_t)L_67-(int32_t)L_69)); bool L_70 = V_8; if (!L_70) { goto IL_01ab; } } { StringBuilder_t3822575854 * L_71 = ___result; String_t* L_72 = V_11; NullCheck(L_71); StringBuilder_Append_m3898090075(L_71, L_72, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_73 = ___result; int32_t L_74 = V_14; NullCheck(L_73); StringBuilder_Append_m1038583841(L_73, ((int32_t)32), L_74, /*hidden argument*/NULL); goto IL_01bf; } IL_01ab: { StringBuilder_t3822575854 * L_75 = ___result; int32_t L_76 = V_14; NullCheck(L_75); StringBuilder_Append_m1038583841(L_75, ((int32_t)32), L_76, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_77 = ___result; String_t* L_78 = V_11; NullCheck(L_77); StringBuilder_Append_m3898090075(L_77, L_78, /*hidden argument*/NULL); } IL_01bf: { goto IL_01cd; } IL_01c4: { StringBuilder_t3822575854 * L_79 = ___result; String_t* L_80 = V_11; NullCheck(L_79); StringBuilder_Append_m3898090075(L_79, L_80, /*hidden argument*/NULL); } IL_01cd: { int32_t L_81 = V_3; V_4 = L_81; goto IL_0228; } IL_01d5: { uint16_t L_82 = V_5; if ((!(((uint32_t)L_82) == ((uint32_t)((int32_t)125))))) { goto IL_0214; } } { int32_t L_83 = V_3; String_t* L_84 = ___format; NullCheck(L_84); int32_t L_85 = L_84->get_length_0(); if ((((int32_t)L_83) >= ((int32_t)L_85))) { goto IL_0214; } } { String_t* L_86 = ___format; int32_t L_87 = V_3; NullCheck(L_86); uint16_t L_88 = String_get_Chars_m3015341861(L_86, L_87, /*hidden argument*/NULL); if ((!(((uint32_t)L_88) == ((uint32_t)((int32_t)125))))) { goto IL_0214; } } { StringBuilder_t3822575854 * L_89 = ___result; String_t* L_90 = ___format; int32_t L_91 = V_4; int32_t L_92 = V_3; int32_t L_93 = V_4; NullCheck(L_89); StringBuilder_Append_m2996071419(L_89, L_90, L_91, ((int32_t)((int32_t)((int32_t)((int32_t)L_92-(int32_t)L_93))-(int32_t)1)), /*hidden argument*/NULL); int32_t L_94 = V_3; int32_t L_95 = L_94; V_3 = ((int32_t)((int32_t)L_95+(int32_t)1)); V_4 = L_95; goto IL_0228; } IL_0214: { uint16_t L_96 = V_5; if ((!(((uint32_t)L_96) == ((uint32_t)((int32_t)125))))) { goto IL_0228; } } { FormatException_t2404802957 * L_97 = (FormatException_t2404802957 *)il2cpp_codegen_object_new(FormatException_t2404802957_il2cpp_TypeInfo_var); FormatException__ctor_m27151337(L_97, _stringLiteral3682737700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_97); } IL_0228: { int32_t L_98 = V_3; String_t* L_99 = ___format; NullCheck(L_99); int32_t L_100 = L_99->get_length_0(); if ((((int32_t)L_98) < ((int32_t)L_100))) { goto IL_008e; } } { int32_t L_101 = V_4; String_t* L_102 = ___format; NullCheck(L_102); int32_t L_103 = L_102->get_length_0(); if ((((int32_t)L_101) >= ((int32_t)L_103))) { goto IL_0254; } } { StringBuilder_t3822575854 * L_104 = ___result; String_t* L_105 = ___format; int32_t L_106 = V_4; String_t* L_107 = ___format; NullCheck(L_107); int32_t L_108 = String_get_Length_m2979997331(L_107, /*hidden argument*/NULL); int32_t L_109 = V_4; NullCheck(L_104); StringBuilder_Append_m2996071419(L_104, L_105, L_106, ((int32_t)((int32_t)L_108-(int32_t)L_109)), /*hidden argument*/NULL); } IL_0254: { StringBuilder_t3822575854 * L_110 = ___result; return L_110; } } // System.String System.String::Concat(System.Object,System.Object) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Concat_m389863537_MetadataUsageId; extern "C" String_t* String_Concat_m389863537 (Il2CppObject * __this /* static, unused */, Il2CppObject * ___arg0, Il2CppObject * ___arg1, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Concat_m389863537_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* G_B3_0 = NULL; String_t* G_B5_0 = NULL; String_t* G_B4_0 = NULL; String_t* G_B6_0 = NULL; String_t* G_B6_1 = NULL; { Il2CppObject * L_0 = ___arg0; if (!L_0) { goto IL_0011; } } { Il2CppObject * L_1 = ___arg0; NullCheck(L_1); String_t* L_2 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_1); G_B3_0 = L_2; goto IL_0012; } IL_0011: { G_B3_0 = ((String_t*)(NULL)); } IL_0012: { Il2CppObject * L_3 = ___arg1; G_B4_0 = G_B3_0; if (!L_3) { G_B5_0 = G_B3_0; goto IL_0023; } } { Il2CppObject * L_4 = ___arg1; NullCheck(L_4); String_t* L_5 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_4); G_B6_0 = L_5; G_B6_1 = G_B4_0; goto IL_0024; } IL_0023: { G_B6_0 = ((String_t*)(NULL)); G_B6_1 = G_B5_0; } IL_0024: { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_6 = String_Concat_m138640077(NULL /*static, unused*/, G_B6_1, G_B6_0, /*hidden argument*/NULL); return L_6; } } // System.String System.String::Concat(System.Object,System.Object,System.Object) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Concat_m2809334143_MetadataUsageId; extern "C" String_t* String_Concat_m2809334143 (Il2CppObject * __this /* static, unused */, Il2CppObject * ___arg0, Il2CppObject * ___arg1, Il2CppObject * ___arg2, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Concat_m2809334143_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; String_t* V_1 = NULL; String_t* V_2 = NULL; { Il2CppObject * L_0 = ___arg0; if (L_0) { goto IL_0011; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); V_0 = L_1; goto IL_0018; } IL_0011: { Il2CppObject * L_2 = ___arg0; NullCheck(L_2); String_t* L_3 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_2); V_0 = L_3; } IL_0018: { Il2CppObject * L_4 = ___arg1; if (L_4) { goto IL_0029; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_5 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); V_1 = L_5; goto IL_0030; } IL_0029: { Il2CppObject * L_6 = ___arg1; NullCheck(L_6); String_t* L_7 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_6); V_1 = L_7; } IL_0030: { Il2CppObject * L_8 = ___arg2; if (L_8) { goto IL_0041; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_9 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); V_2 = L_9; goto IL_0048; } IL_0041: { Il2CppObject * L_10 = ___arg2; NullCheck(L_10); String_t* L_11 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_10); V_2 = L_11; } IL_0048: { String_t* L_12 = V_0; String_t* L_13 = V_1; String_t* L_14 = V_2; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_15 = String_Concat_m1825781833(NULL /*static, unused*/, L_12, L_13, L_14, /*hidden argument*/NULL); return L_15; } } // System.String System.String::Concat(System.String,System.String) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Concat_m138640077_MetadataUsageId; extern "C" String_t* String_Concat_m138640077 (Il2CppObject * __this /* static, unused */, String_t* ___str0, String_t* ___str1, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Concat_m138640077_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; String_t* V_5 = NULL; String_t* V_6 = NULL; String_t* V_7 = NULL; String_t* V_8 = NULL; { String_t* L_0 = ___str0; if (!L_0) { goto IL_0011; } } { String_t* L_1 = ___str0; NullCheck(L_1); int32_t L_2 = String_get_Length_m2979997331(L_1, /*hidden argument*/NULL); if (L_2) { goto IL_002a; } } IL_0011: { String_t* L_3 = ___str1; if (!L_3) { goto IL_0022; } } { String_t* L_4 = ___str1; NullCheck(L_4); int32_t L_5 = String_get_Length_m2979997331(L_4, /*hidden argument*/NULL); if (L_5) { goto IL_0028; } } IL_0022: { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_6 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_6; } IL_0028: { String_t* L_7 = ___str1; return L_7; } IL_002a: { String_t* L_8 = ___str1; if (!L_8) { goto IL_003b; } } { String_t* L_9 = ___str1; NullCheck(L_9); int32_t L_10 = String_get_Length_m2979997331(L_9, /*hidden argument*/NULL); if (L_10) { goto IL_003d; } } IL_003b: { String_t* L_11 = ___str0; return L_11; } IL_003d: { String_t* L_12 = ___str0; NullCheck(L_12); int32_t L_13 = L_12->get_length_0(); String_t* L_14 = ___str1; NullCheck(L_14); int32_t L_15 = L_14->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_16 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, ((int32_t)((int32_t)L_13+(int32_t)L_15)), /*hidden argument*/NULL); V_0 = L_16; String_t* L_17 = V_0; V_5 = L_17; String_t* L_18 = V_5; int32_t L_19 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_18))+(int32_t)L_19)); String_t* L_20 = ___str0; V_6 = L_20; String_t* L_21 = V_6; int32_t L_22 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_21))+(int32_t)L_22)); uint16_t* L_23 = V_1; uint16_t* L_24 = V_2; String_t* L_25 = ___str0; NullCheck(L_25); int32_t L_26 = L_25->get_length_0(); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_23, (uint16_t*)(uint16_t*)L_24, L_26, /*hidden argument*/NULL); V_5 = (String_t*)NULL; V_6 = (String_t*)NULL; String_t* L_27 = V_0; V_7 = L_27; String_t* L_28 = V_7; int32_t L_29 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_3 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_28))+(int32_t)L_29)); String_t* L_30 = ___str1; V_8 = L_30; String_t* L_31 = V_8; int32_t L_32 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_4 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_31))+(int32_t)L_32)); uint16_t* L_33 = V_3; String_t* L_34 = ___str0; NullCheck(L_34); int32_t L_35 = String_get_Length_m2979997331(L_34, /*hidden argument*/NULL); uint16_t* L_36 = V_4; String_t* L_37 = ___str1; NullCheck(L_37); int32_t L_38 = L_37->get_length_0(); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_33+(int32_t)((int32_t)((int32_t)L_35*(int32_t)2)))), (uint16_t*)(uint16_t*)L_36, L_38, /*hidden argument*/NULL); V_7 = (String_t*)NULL; V_8 = (String_t*)NULL; String_t* L_39 = V_0; return L_39; } } // System.String System.String::Concat(System.String,System.String,System.String) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Concat_m1825781833_MetadataUsageId; extern "C" String_t* String_Concat_m1825781833 (Il2CppObject * __this /* static, unused */, String_t* ___str0, String_t* ___str1, String_t* ___str2, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Concat_m1825781833_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; uint16_t* V_5 = NULL; uint16_t* V_6 = NULL; String_t* V_7 = NULL; String_t* V_8 = NULL; String_t* V_9 = NULL; String_t* V_10 = NULL; String_t* V_11 = NULL; String_t* V_12 = NULL; { String_t* L_0 = ___str0; if (!L_0) { goto IL_0011; } } { String_t* L_1 = ___str0; NullCheck(L_1); int32_t L_2 = String_get_Length_m2979997331(L_1, /*hidden argument*/NULL); if (L_2) { goto IL_005a; } } IL_0011: { String_t* L_3 = ___str1; if (!L_3) { goto IL_0022; } } { String_t* L_4 = ___str1; NullCheck(L_4); int32_t L_5 = String_get_Length_m2979997331(L_4, /*hidden argument*/NULL); if (L_5) { goto IL_003b; } } IL_0022: { String_t* L_6 = ___str2; if (!L_6) { goto IL_0033; } } { String_t* L_7 = ___str2; NullCheck(L_7); int32_t L_8 = String_get_Length_m2979997331(L_7, /*hidden argument*/NULL); if (L_8) { goto IL_0039; } } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_9 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_9; } IL_0039: { String_t* L_10 = ___str2; return L_10; } IL_003b: { String_t* L_11 = ___str2; if (!L_11) { goto IL_004c; } } { String_t* L_12 = ___str2; NullCheck(L_12); int32_t L_13 = String_get_Length_m2979997331(L_12, /*hidden argument*/NULL); if (L_13) { goto IL_004e; } } IL_004c: { String_t* L_14 = ___str1; return L_14; } IL_004e: { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_15 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___str0 = L_15; goto IL_00a2; } IL_005a: { String_t* L_16 = ___str1; if (!L_16) { goto IL_006b; } } { String_t* L_17 = ___str1; NullCheck(L_17); int32_t L_18 = String_get_Length_m2979997331(L_17, /*hidden argument*/NULL); if (L_18) { goto IL_008a; } } IL_006b: { String_t* L_19 = ___str2; if (!L_19) { goto IL_007c; } } { String_t* L_20 = ___str2; NullCheck(L_20); int32_t L_21 = String_get_Length_m2979997331(L_20, /*hidden argument*/NULL); if (L_21) { goto IL_007e; } } IL_007c: { String_t* L_22 = ___str0; return L_22; } IL_007e: { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_23 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___str1 = L_23; goto IL_00a2; } IL_008a: { String_t* L_24 = ___str2; if (!L_24) { goto IL_009b; } } { String_t* L_25 = ___str2; NullCheck(L_25); int32_t L_26 = String_get_Length_m2979997331(L_25, /*hidden argument*/NULL); if (L_26) { goto IL_00a2; } } IL_009b: { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_27 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___str2 = L_27; } IL_00a2: { String_t* L_28 = ___str0; NullCheck(L_28); int32_t L_29 = L_28->get_length_0(); String_t* L_30 = ___str1; NullCheck(L_30); int32_t L_31 = L_30->get_length_0(); String_t* L_32 = ___str2; NullCheck(L_32); int32_t L_33 = L_32->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_34 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, ((int32_t)((int32_t)((int32_t)((int32_t)L_29+(int32_t)L_31))+(int32_t)L_33)), /*hidden argument*/NULL); V_0 = L_34; String_t* L_35 = ___str0; NullCheck(L_35); int32_t L_36 = String_get_Length_m2979997331(L_35, /*hidden argument*/NULL); if (!L_36) { goto IL_00f4; } } { String_t* L_37 = V_0; V_7 = L_37; String_t* L_38 = V_7; int32_t L_39 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_38))+(int32_t)L_39)); String_t* L_40 = ___str0; V_8 = L_40; String_t* L_41 = V_8; int32_t L_42 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_41))+(int32_t)L_42)); uint16_t* L_43 = V_1; uint16_t* L_44 = V_2; String_t* L_45 = ___str0; NullCheck(L_45); int32_t L_46 = L_45->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_43, (uint16_t*)(uint16_t*)L_44, L_46, /*hidden argument*/NULL); V_7 = (String_t*)NULL; V_8 = (String_t*)NULL; } IL_00f4: { String_t* L_47 = ___str1; NullCheck(L_47); int32_t L_48 = String_get_Length_m2979997331(L_47, /*hidden argument*/NULL); if (!L_48) { goto IL_0137; } } { String_t* L_49 = V_0; V_9 = L_49; String_t* L_50 = V_9; int32_t L_51 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_3 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_50))+(int32_t)L_51)); String_t* L_52 = ___str1; V_10 = L_52; String_t* L_53 = V_10; int32_t L_54 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_4 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_53))+(int32_t)L_54)); uint16_t* L_55 = V_3; String_t* L_56 = ___str0; NullCheck(L_56); int32_t L_57 = String_get_Length_m2979997331(L_56, /*hidden argument*/NULL); uint16_t* L_58 = V_4; String_t* L_59 = ___str1; NullCheck(L_59); int32_t L_60 = L_59->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_55+(int32_t)((int32_t)((int32_t)L_57*(int32_t)2)))), (uint16_t*)(uint16_t*)L_58, L_60, /*hidden argument*/NULL); V_9 = (String_t*)NULL; V_10 = (String_t*)NULL; } IL_0137: { String_t* L_61 = ___str2; NullCheck(L_61); int32_t L_62 = String_get_Length_m2979997331(L_61, /*hidden argument*/NULL); if (!L_62) { goto IL_0185; } } { String_t* L_63 = V_0; V_11 = L_63; String_t* L_64 = V_11; int32_t L_65 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_5 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_64))+(int32_t)L_65)); String_t* L_66 = ___str2; V_12 = L_66; String_t* L_67 = V_12; int32_t L_68 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_6 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_67))+(int32_t)L_68)); uint16_t* L_69 = V_5; String_t* L_70 = ___str0; NullCheck(L_70); int32_t L_71 = String_get_Length_m2979997331(L_70, /*hidden argument*/NULL); String_t* L_72 = ___str1; NullCheck(L_72); int32_t L_73 = String_get_Length_m2979997331(L_72, /*hidden argument*/NULL); uint16_t* L_74 = V_6; String_t* L_75 = ___str2; NullCheck(L_75); int32_t L_76 = L_75->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_69+(int32_t)((int32_t)((int32_t)L_71*(int32_t)2))))+(int32_t)((int32_t)((int32_t)L_73*(int32_t)2)))), (uint16_t*)(uint16_t*)L_74, L_76, /*hidden argument*/NULL); V_11 = (String_t*)NULL; V_12 = (String_t*)NULL; } IL_0185: { String_t* L_77 = V_0; return L_77; } } // System.String System.String::Concat(System.String,System.String,System.String,System.String) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_Concat_m2933632197_MetadataUsageId; extern "C" String_t* String_Concat_m2933632197 (Il2CppObject * __this /* static, unused */, String_t* ___str0, String_t* ___str1, String_t* ___str2, String_t* ___str3, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Concat_m2933632197_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; uint16_t* V_5 = NULL; uint16_t* V_6 = NULL; uint16_t* V_7 = NULL; uint16_t* V_8 = NULL; String_t* V_9 = NULL; String_t* V_10 = NULL; String_t* V_11 = NULL; String_t* V_12 = NULL; String_t* V_13 = NULL; String_t* V_14 = NULL; String_t* V_15 = NULL; String_t* V_16 = NULL; { String_t* L_0 = ___str0; if (L_0) { goto IL_001e; } } { String_t* L_1 = ___str1; if (L_1) { goto IL_001e; } } { String_t* L_2 = ___str2; if (L_2) { goto IL_001e; } } { String_t* L_3 = ___str3; if (L_3) { goto IL_001e; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_4 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_4; } IL_001e: { String_t* L_5 = ___str0; if (L_5) { goto IL_002b; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_6 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___str0 = L_6; } IL_002b: { String_t* L_7 = ___str1; if (L_7) { goto IL_0038; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_8 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___str1 = L_8; } IL_0038: { String_t* L_9 = ___str2; if (L_9) { goto IL_0045; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_10 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___str2 = L_10; } IL_0045: { String_t* L_11 = ___str3; if (L_11) { goto IL_0052; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_12 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___str3 = L_12; } IL_0052: { String_t* L_13 = ___str0; NullCheck(L_13); int32_t L_14 = L_13->get_length_0(); String_t* L_15 = ___str1; NullCheck(L_15); int32_t L_16 = L_15->get_length_0(); String_t* L_17 = ___str2; NullCheck(L_17); int32_t L_18 = L_17->get_length_0(); String_t* L_19 = ___str3; NullCheck(L_19); int32_t L_20 = L_19->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_21 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_14+(int32_t)L_16))+(int32_t)L_18))+(int32_t)L_20)), /*hidden argument*/NULL); V_0 = L_21; String_t* L_22 = ___str0; NullCheck(L_22); int32_t L_23 = String_get_Length_m2979997331(L_22, /*hidden argument*/NULL); if (!L_23) { goto IL_00ab; } } { String_t* L_24 = V_0; V_9 = L_24; String_t* L_25 = V_9; int32_t L_26 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_25))+(int32_t)L_26)); String_t* L_27 = ___str0; V_10 = L_27; String_t* L_28 = V_10; int32_t L_29 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_28))+(int32_t)L_29)); uint16_t* L_30 = V_1; uint16_t* L_31 = V_2; String_t* L_32 = ___str0; NullCheck(L_32); int32_t L_33 = L_32->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_30, (uint16_t*)(uint16_t*)L_31, L_33, /*hidden argument*/NULL); V_9 = (String_t*)NULL; V_10 = (String_t*)NULL; } IL_00ab: { String_t* L_34 = ___str1; NullCheck(L_34); int32_t L_35 = String_get_Length_m2979997331(L_34, /*hidden argument*/NULL); if (!L_35) { goto IL_00ee; } } { String_t* L_36 = V_0; V_11 = L_36; String_t* L_37 = V_11; int32_t L_38 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_3 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_37))+(int32_t)L_38)); String_t* L_39 = ___str1; V_12 = L_39; String_t* L_40 = V_12; int32_t L_41 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_4 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_40))+(int32_t)L_41)); uint16_t* L_42 = V_3; String_t* L_43 = ___str0; NullCheck(L_43); int32_t L_44 = String_get_Length_m2979997331(L_43, /*hidden argument*/NULL); uint16_t* L_45 = V_4; String_t* L_46 = ___str1; NullCheck(L_46); int32_t L_47 = L_46->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_42+(int32_t)((int32_t)((int32_t)L_44*(int32_t)2)))), (uint16_t*)(uint16_t*)L_45, L_47, /*hidden argument*/NULL); V_11 = (String_t*)NULL; V_12 = (String_t*)NULL; } IL_00ee: { String_t* L_48 = ___str2; NullCheck(L_48); int32_t L_49 = String_get_Length_m2979997331(L_48, /*hidden argument*/NULL); if (!L_49) { goto IL_013c; } } { String_t* L_50 = V_0; V_13 = L_50; String_t* L_51 = V_13; int32_t L_52 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_5 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_51))+(int32_t)L_52)); String_t* L_53 = ___str2; V_14 = L_53; String_t* L_54 = V_14; int32_t L_55 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_6 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_54))+(int32_t)L_55)); uint16_t* L_56 = V_5; String_t* L_57 = ___str0; NullCheck(L_57); int32_t L_58 = String_get_Length_m2979997331(L_57, /*hidden argument*/NULL); String_t* L_59 = ___str1; NullCheck(L_59); int32_t L_60 = String_get_Length_m2979997331(L_59, /*hidden argument*/NULL); uint16_t* L_61 = V_6; String_t* L_62 = ___str2; NullCheck(L_62); int32_t L_63 = L_62->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_56+(int32_t)((int32_t)((int32_t)L_58*(int32_t)2))))+(int32_t)((int32_t)((int32_t)L_60*(int32_t)2)))), (uint16_t*)(uint16_t*)L_61, L_63, /*hidden argument*/NULL); V_13 = (String_t*)NULL; V_14 = (String_t*)NULL; } IL_013c: { String_t* L_64 = ___str3; NullCheck(L_64); int32_t L_65 = String_get_Length_m2979997331(L_64, /*hidden argument*/NULL); if (!L_65) { goto IL_0193; } } { String_t* L_66 = V_0; V_15 = L_66; String_t* L_67 = V_15; int32_t L_68 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_7 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_67))+(int32_t)L_68)); String_t* L_69 = ___str3; V_16 = L_69; String_t* L_70 = V_16; int32_t L_71 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_8 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_70))+(int32_t)L_71)); uint16_t* L_72 = V_7; String_t* L_73 = ___str0; NullCheck(L_73); int32_t L_74 = String_get_Length_m2979997331(L_73, /*hidden argument*/NULL); String_t* L_75 = ___str1; NullCheck(L_75); int32_t L_76 = String_get_Length_m2979997331(L_75, /*hidden argument*/NULL); String_t* L_77 = ___str2; NullCheck(L_77); int32_t L_78 = String_get_Length_m2979997331(L_77, /*hidden argument*/NULL); uint16_t* L_79 = V_8; String_t* L_80 = ___str3; NullCheck(L_80); int32_t L_81 = L_80->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_72+(int32_t)((int32_t)((int32_t)L_74*(int32_t)2))))+(int32_t)((int32_t)((int32_t)L_76*(int32_t)2))))+(int32_t)((int32_t)((int32_t)L_78*(int32_t)2)))), (uint16_t*)(uint16_t*)L_79, L_81, /*hidden argument*/NULL); V_15 = (String_t*)NULL; V_16 = (String_t*)NULL; } IL_0193: { String_t* L_82 = V_0; return L_82; } } // System.String System.String::Concat(System.Object[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* StringU5BU5D_t2956870243_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3002589; extern const uint32_t String_Concat_m3016520001_MetadataUsageId; extern "C" String_t* String_Concat_m3016520001 (Il2CppObject * __this /* static, unused */, ObjectU5BU5D_t11523773* ___args, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Concat_m3016520001_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; StringU5BU5D_t2956870243* V_1 = NULL; int32_t V_2 = 0; int32_t V_3 = 0; { ObjectU5BU5D_t11523773* L_0 = ___args; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral3002589, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ObjectU5BU5D_t11523773* L_2 = ___args; NullCheck(L_2); V_0 = (((int32_t)((int32_t)(((Il2CppArray *)L_2)->max_length)))); int32_t L_3 = V_0; if (L_3) { goto IL_0021; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_4 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_4; } IL_0021: { int32_t L_5 = V_0; V_1 = ((StringU5BU5D_t2956870243*)SZArrayNew(StringU5BU5D_t2956870243_il2cpp_TypeInfo_var, (uint32_t)L_5)); V_2 = 0; V_3 = 0; goto IL_0053; } IL_0031: { ObjectU5BU5D_t11523773* L_6 = ___args; int32_t L_7 = V_3; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, L_7); int32_t L_8 = L_7; if (!((L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_8)))) { goto IL_004f; } } { StringU5BU5D_t2956870243* L_9 = V_1; int32_t L_10 = V_3; ObjectU5BU5D_t11523773* L_11 = ___args; int32_t L_12 = V_3; NullCheck(L_11); IL2CPP_ARRAY_BOUNDS_CHECK(L_11, L_12); int32_t L_13 = L_12; NullCheck(((L_11)->GetAt(static_cast<il2cpp_array_size_t>(L_13)))); String_t* L_14 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ((L_11)->GetAt(static_cast<il2cpp_array_size_t>(L_13)))); NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, L_10); ArrayElementTypeCheck (L_9, L_14); (L_9)->SetAt(static_cast<il2cpp_array_size_t>(L_10), (String_t*)L_14); int32_t L_15 = V_2; StringU5BU5D_t2956870243* L_16 = V_1; int32_t L_17 = V_3; NullCheck(L_16); IL2CPP_ARRAY_BOUNDS_CHECK(L_16, L_17); int32_t L_18 = L_17; NullCheck(((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_18)))); int32_t L_19 = ((L_16)->GetAt(static_cast<il2cpp_array_size_t>(L_18)))->get_length_0(); V_2 = ((int32_t)((int32_t)L_15+(int32_t)L_19)); } IL_004f: { int32_t L_20 = V_3; V_3 = ((int32_t)((int32_t)L_20+(int32_t)1)); } IL_0053: { int32_t L_21 = V_3; int32_t L_22 = V_0; if ((((int32_t)L_21) < ((int32_t)L_22))) { goto IL_0031; } } { StringU5BU5D_t2956870243* L_23 = V_1; int32_t L_24 = V_2; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_25 = String_ConcatInternal_m3246297125(NULL /*static, unused*/, L_23, L_24, /*hidden argument*/NULL); return L_25; } } // System.String System.String::Concat(System.String[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3471154466; extern const uint32_t String_Concat_m21867311_MetadataUsageId; extern "C" String_t* String_Concat_m21867311 (Il2CppObject * __this /* static, unused */, StringU5BU5D_t2956870243* ___values, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Concat_m21867311_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; String_t* V_2 = NULL; { StringU5BU5D_t2956870243* L_0 = ___values; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral3471154466, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { V_0 = 0; V_1 = 0; goto IL_0031; } IL_001a: { StringU5BU5D_t2956870243* L_2 = ___values; int32_t L_3 = V_1; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, L_3); int32_t L_4 = L_3; V_2 = ((L_2)->GetAt(static_cast<il2cpp_array_size_t>(L_4))); String_t* L_5 = V_2; if (!L_5) { goto IL_002d; } } { int32_t L_6 = V_0; String_t* L_7 = V_2; NullCheck(L_7); int32_t L_8 = L_7->get_length_0(); V_0 = ((int32_t)((int32_t)L_6+(int32_t)L_8)); } IL_002d: { int32_t L_9 = V_1; V_1 = ((int32_t)((int32_t)L_9+(int32_t)1)); } IL_0031: { int32_t L_10 = V_1; StringU5BU5D_t2956870243* L_11 = ___values; NullCheck(L_11); if ((((int32_t)L_10) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))))) { goto IL_001a; } } { StringU5BU5D_t2956870243* L_12 = ___values; int32_t L_13 = V_0; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_14 = String_ConcatInternal_m3246297125(NULL /*static, unused*/, L_12, L_13, /*hidden argument*/NULL); return L_14; } } // System.String System.String::ConcatInternal(System.String[],System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_ConcatInternal_m3246297125_MetadataUsageId; extern "C" String_t* String_ConcatInternal_m3246297125 (Il2CppObject * __this /* static, unused */, StringU5BU5D_t2956870243* ___values, int32_t ___length, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_ConcatInternal_m3246297125_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; int32_t V_2 = 0; int32_t V_3 = 0; String_t* V_4 = NULL; uint16_t* V_5 = NULL; String_t* V_6 = NULL; String_t* V_7 = NULL; { int32_t L_0 = ___length; if (L_0) { goto IL_000c; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_1; } IL_000c: { int32_t L_2 = ___length; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_3 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); V_0 = L_3; String_t* L_4 = V_0; V_6 = L_4; String_t* L_5 = V_6; int32_t L_6 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_5))+(int32_t)L_6)); V_2 = 0; V_3 = 0; goto IL_0068; } IL_0029: { StringU5BU5D_t2956870243* L_7 = ___values; int32_t L_8 = V_3; NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, L_8); int32_t L_9 = L_8; V_4 = ((L_7)->GetAt(static_cast<il2cpp_array_size_t>(L_9))); String_t* L_10 = V_4; if (!L_10) { goto IL_0064; } } { String_t* L_11 = V_4; V_7 = L_11; String_t* L_12 = V_7; int32_t L_13 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_5 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_12))+(int32_t)L_13)); uint16_t* L_14 = V_1; int32_t L_15 = V_2; uint16_t* L_16 = V_5; String_t* L_17 = V_4; NullCheck(L_17); int32_t L_18 = L_17->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_14+(int32_t)((int32_t)((int32_t)L_15*(int32_t)2)))), (uint16_t*)(uint16_t*)L_16, L_18, /*hidden argument*/NULL); V_7 = (String_t*)NULL; int32_t L_19 = V_2; String_t* L_20 = V_4; NullCheck(L_20); int32_t L_21 = String_get_Length_m2979997331(L_20, /*hidden argument*/NULL); V_2 = ((int32_t)((int32_t)L_19+(int32_t)L_21)); } IL_0064: { int32_t L_22 = V_3; V_3 = ((int32_t)((int32_t)L_22+(int32_t)1)); } IL_0068: { int32_t L_23 = V_3; StringU5BU5D_t2956870243* L_24 = ___values; NullCheck(L_24); if ((((int32_t)L_23) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_24)->max_length))))))) { goto IL_0029; } } { V_6 = (String_t*)NULL; String_t* L_25 = V_0; return L_25; } } // System.String System.String::Insert(System.Int32,System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral1047628320; extern const uint32_t String_Insert_m3926397187_MetadataUsageId; extern "C" String_t* String_Insert_m3926397187 (String_t* __this, int32_t ___startIndex, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Insert_m3926397187_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; uint16_t* V_4 = NULL; String_t* V_5 = NULL; String_t* V_6 = NULL; String_t* V_7 = NULL; { String_t* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0024; } } { int32_t L_3 = ___startIndex; int32_t L_4 = __this->get_length_0(); if ((((int32_t)L_3) <= ((int32_t)L_4))) { goto IL_0034; } } IL_0024: { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_5, _stringLiteral2701320592, _stringLiteral1047628320, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0034: { String_t* L_6 = ___value; NullCheck(L_6); int32_t L_7 = String_get_Length_m2979997331(L_6, /*hidden argument*/NULL); if (L_7) { goto IL_0041; } } { return __this; } IL_0041: { int32_t L_8 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); if (L_8) { goto IL_004e; } } { String_t* L_9 = ___value; return L_9; } IL_004e: { int32_t L_10 = __this->get_length_0(); String_t* L_11 = ___value; NullCheck(L_11); int32_t L_12 = L_11->get_length_0(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_13 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, ((int32_t)((int32_t)L_10+(int32_t)L_12)), /*hidden argument*/NULL); V_0 = L_13; String_t* L_14 = V_0; V_5 = L_14; String_t* L_15 = V_5; int32_t L_16 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_15))+(int32_t)L_16)); V_6 = __this; String_t* L_17 = V_6; int32_t L_18 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_17))+(int32_t)L_18)); String_t* L_19 = ___value; V_7 = L_19; String_t* L_20 = V_7; int32_t L_21 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_3 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_20))+(int32_t)L_21)); uint16_t* L_22 = V_1; V_4 = (uint16_t*)L_22; uint16_t* L_23 = V_4; uint16_t* L_24 = V_2; int32_t L_25 = ___startIndex; String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_23, (uint16_t*)(uint16_t*)L_24, L_25, /*hidden argument*/NULL); uint16_t* L_26 = V_4; int32_t L_27 = ___startIndex; V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_26+(int32_t)((int32_t)((int32_t)L_27*(int32_t)2)))); uint16_t* L_28 = V_4; uint16_t* L_29 = V_3; String_t* L_30 = ___value; NullCheck(L_30); int32_t L_31 = L_30->get_length_0(); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_28, (uint16_t*)(uint16_t*)L_29, L_31, /*hidden argument*/NULL); uint16_t* L_32 = V_4; String_t* L_33 = ___value; NullCheck(L_33); int32_t L_34 = L_33->get_length_0(); V_4 = (uint16_t*)((uint16_t*)((intptr_t)L_32+(int32_t)((int32_t)((int32_t)L_34*(int32_t)2)))); uint16_t* L_35 = V_4; uint16_t* L_36 = V_2; int32_t L_37 = ___startIndex; int32_t L_38 = __this->get_length_0(); int32_t L_39 = ___startIndex; String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_35, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_36+(int32_t)((int32_t)((int32_t)L_37*(int32_t)2)))), ((int32_t)((int32_t)L_38-(int32_t)L_39)), /*hidden argument*/NULL); V_5 = (String_t*)NULL; V_6 = (String_t*)NULL; V_7 = (String_t*)NULL; String_t* L_40 = V_0; return L_40; } } // System.String System.String::Join(System.String,System.String[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern const uint32_t String_Join_m2789530325_MetadataUsageId; extern "C" String_t* String_Join_m2789530325 (Il2CppObject * __this /* static, unused */, String_t* ___separator, StringU5BU5D_t2956870243* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Join_m2789530325_MetadataUsageId); s_Il2CppMethodIntialized = true; } { StringU5BU5D_t2956870243* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { String_t* L_2 = ___separator; if (L_2) { goto IL_001e; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_3 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___separator = L_3; } IL_001e: { String_t* L_4 = ___separator; StringU5BU5D_t2956870243* L_5 = ___value; StringU5BU5D_t2956870243* L_6 = ___value; NullCheck(L_6); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_7 = String_JoinUnchecked_m3141793139(NULL /*static, unused*/, L_4, L_5, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length)))), /*hidden argument*/NULL); return L_7; } } // System.String System.String::Join(System.String,System.String[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral58700; extern Il2CppCodeGenString* _stringLiteral94851343; extern Il2CppCodeGenString* _stringLiteral667289403; extern const uint32_t String_Join_m908926965_MetadataUsageId; extern "C" String_t* String_Join_m908926965 (Il2CppObject * __this /* static, unused */, String_t* ___separator, StringU5BU5D_t2956870243* ___value, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_Join_m908926965_MetadataUsageId); s_Il2CppMethodIntialized = true; } { StringU5BU5D_t2956870243* L_0 = ___value; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0028; } } { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_3, _stringLiteral2701320592, _stringLiteral58700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0028: { int32_t L_4 = ___count; if ((((int32_t)L_4) >= ((int32_t)0))) { goto IL_003f; } } { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_5, _stringLiteral94851343, _stringLiteral58700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_003f: { int32_t L_6 = ___startIndex; StringU5BU5D_t2956870243* L_7 = ___value; NullCheck(L_7); int32_t L_8 = ___count; if ((((int32_t)L_6) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_7)->max_length))))-(int32_t)L_8))))) { goto IL_005a; } } { ArgumentOutOfRangeException_t3479058991 * L_9 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_9, _stringLiteral2701320592, _stringLiteral667289403, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_005a: { int32_t L_10 = ___startIndex; StringU5BU5D_t2956870243* L_11 = ___value; NullCheck(L_11); if ((!(((uint32_t)L_10) == ((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length)))))))) { goto IL_0069; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_12 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_12; } IL_0069: { String_t* L_13 = ___separator; if (L_13) { goto IL_0076; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_14 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___separator = L_14; } IL_0076: { String_t* L_15 = ___separator; StringU5BU5D_t2956870243* L_16 = ___value; int32_t L_17 = ___startIndex; int32_t L_18 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_19 = String_JoinUnchecked_m3141793139(NULL /*static, unused*/, L_15, L_16, L_17, L_18, /*hidden argument*/NULL); return L_19; } } // System.String System.String::JoinUnchecked(System.String,System.String[],System.Int32,System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_JoinUnchecked_m3141793139_MetadataUsageId; extern "C" String_t* String_JoinUnchecked_m3141793139 (Il2CppObject * __this /* static, unused */, String_t* ___separator, StringU5BU5D_t2956870243* ___value, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_JoinUnchecked_m3141793139_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; String_t* V_3 = NULL; String_t* V_4 = NULL; uint16_t* V_5 = NULL; uint16_t* V_6 = NULL; int32_t V_7 = 0; int32_t V_8 = 0; String_t* V_9 = NULL; uint16_t* V_10 = NULL; String_t* V_11 = NULL; uint16_t* V_12 = NULL; String_t* V_13 = NULL; String_t* V_14 = NULL; String_t* V_15 = NULL; String_t* V_16 = NULL; { V_0 = 0; int32_t L_0 = ___startIndex; int32_t L_1 = ___count; V_1 = ((int32_t)((int32_t)L_0+(int32_t)L_1)); int32_t L_2 = ___startIndex; V_2 = L_2; goto IL_0024; } IL_000d: { StringU5BU5D_t2956870243* L_3 = ___value; int32_t L_4 = V_2; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, L_4); int32_t L_5 = L_4; V_3 = ((L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5))); String_t* L_6 = V_3; if (!L_6) { goto IL_0020; } } { int32_t L_7 = V_0; String_t* L_8 = V_3; NullCheck(L_8); int32_t L_9 = L_8->get_length_0(); V_0 = ((int32_t)((int32_t)L_7+(int32_t)L_9)); } IL_0020: { int32_t L_10 = V_2; V_2 = ((int32_t)((int32_t)L_10+(int32_t)1)); } IL_0024: { int32_t L_11 = V_2; int32_t L_12 = V_1; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_000d; } } { int32_t L_13 = V_0; String_t* L_14 = ___separator; NullCheck(L_14); int32_t L_15 = L_14->get_length_0(); int32_t L_16 = ___count; V_0 = ((int32_t)((int32_t)L_13+(int32_t)((int32_t)((int32_t)L_15*(int32_t)((int32_t)((int32_t)L_16-(int32_t)1)))))); int32_t L_17 = V_0; if ((((int32_t)L_17) > ((int32_t)0))) { goto IL_0045; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_18 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_18; } IL_0045: { int32_t L_19 = V_0; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_20 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_19, /*hidden argument*/NULL); V_4 = L_20; int32_t L_21 = V_1; V_1 = ((int32_t)((int32_t)L_21-(int32_t)1)); String_t* L_22 = V_4; V_13 = L_22; String_t* L_23 = V_13; int32_t L_24 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_5 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_23))+(int32_t)L_24)); String_t* L_25 = ___separator; V_14 = L_25; String_t* L_26 = V_14; int32_t L_27 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_6 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_26))+(int32_t)L_27)); V_7 = 0; int32_t L_28 = ___startIndex; V_8 = L_28; goto IL_00f7; } IL_0079: { StringU5BU5D_t2956870243* L_29 = ___value; int32_t L_30 = V_8; NullCheck(L_29); IL2CPP_ARRAY_BOUNDS_CHECK(L_29, L_30); int32_t L_31 = L_30; V_9 = ((L_29)->GetAt(static_cast<il2cpp_array_size_t>(L_31))); String_t* L_32 = V_9; if (!L_32) { goto IL_00c6; } } { String_t* L_33 = V_9; NullCheck(L_33); int32_t L_34 = String_get_Length_m2979997331(L_33, /*hidden argument*/NULL); if ((((int32_t)L_34) <= ((int32_t)0))) { goto IL_00c6; } } { String_t* L_35 = V_9; V_15 = L_35; String_t* L_36 = V_15; int32_t L_37 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_10 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_36))+(int32_t)L_37)); uint16_t* L_38 = V_5; int32_t L_39 = V_7; uint16_t* L_40 = V_10; String_t* L_41 = V_9; NullCheck(L_41); int32_t L_42 = String_get_Length_m2979997331(L_41, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_38+(int32_t)((int32_t)((int32_t)L_39*(int32_t)2)))), (uint16_t*)(uint16_t*)L_40, L_42, /*hidden argument*/NULL); V_15 = (String_t*)NULL; int32_t L_43 = V_7; String_t* L_44 = V_9; NullCheck(L_44); int32_t L_45 = String_get_Length_m2979997331(L_44, /*hidden argument*/NULL); V_7 = ((int32_t)((int32_t)L_43+(int32_t)L_45)); } IL_00c6: { String_t* L_46 = ___separator; NullCheck(L_46); int32_t L_47 = String_get_Length_m2979997331(L_46, /*hidden argument*/NULL); if ((((int32_t)L_47) <= ((int32_t)0))) { goto IL_00f1; } } { uint16_t* L_48 = V_5; int32_t L_49 = V_7; uint16_t* L_50 = V_6; String_t* L_51 = ___separator; NullCheck(L_51); int32_t L_52 = String_get_Length_m2979997331(L_51, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_48+(int32_t)((int32_t)((int32_t)L_49*(int32_t)2)))), (uint16_t*)(uint16_t*)L_50, L_52, /*hidden argument*/NULL); int32_t L_53 = V_7; String_t* L_54 = ___separator; NullCheck(L_54); int32_t L_55 = String_get_Length_m2979997331(L_54, /*hidden argument*/NULL); V_7 = ((int32_t)((int32_t)L_53+(int32_t)L_55)); } IL_00f1: { int32_t L_56 = V_8; V_8 = ((int32_t)((int32_t)L_56+(int32_t)1)); } IL_00f7: { int32_t L_57 = V_8; int32_t L_58 = V_1; if ((((int32_t)L_57) < ((int32_t)L_58))) { goto IL_0079; } } { StringU5BU5D_t2956870243* L_59 = ___value; int32_t L_60 = V_1; NullCheck(L_59); IL2CPP_ARRAY_BOUNDS_CHECK(L_59, L_60); int32_t L_61 = L_60; V_11 = ((L_59)->GetAt(static_cast<il2cpp_array_size_t>(L_61))); String_t* L_62 = V_11; if (!L_62) { goto IL_013f; } } { String_t* L_63 = V_11; NullCheck(L_63); int32_t L_64 = String_get_Length_m2979997331(L_63, /*hidden argument*/NULL); if ((((int32_t)L_64) <= ((int32_t)0))) { goto IL_013f; } } { String_t* L_65 = V_11; V_16 = L_65; String_t* L_66 = V_16; int32_t L_67 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_12 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_66))+(int32_t)L_67)); uint16_t* L_68 = V_5; int32_t L_69 = V_7; uint16_t* L_70 = V_12; String_t* L_71 = V_11; NullCheck(L_71); int32_t L_72 = String_get_Length_m2979997331(L_71, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_68+(int32_t)((int32_t)((int32_t)L_69*(int32_t)2)))), (uint16_t*)(uint16_t*)L_70, L_72, /*hidden argument*/NULL); V_16 = (String_t*)NULL; } IL_013f: { V_13 = (String_t*)NULL; V_14 = (String_t*)NULL; String_t* L_73 = V_4; return L_73; } } // System.Int32 System.String::get_Length() extern "C" int32_t String_get_Length_m2979997331 (String_t* __this, const MethodInfo* method) { { int32_t L_0 = __this->get_length_0(); return L_0; } } // System.Void System.String::ParseFormatSpecifier(System.String,System.Int32&,System.Int32&,System.Int32&,System.Boolean&,System.String&) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* FormatException_t2404802957_il2cpp_TypeInfo_var; extern TypeInfo* Char_t2778706699_il2cpp_TypeInfo_var; extern TypeInfo* IndexOutOfRangeException_t3760259642_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3682737700; extern const uint32_t String_ParseFormatSpecifier_m3682617588_MetadataUsageId; extern "C" void String_ParseFormatSpecifier_m3682617588 (Il2CppObject * __this /* static, unused */, String_t* ___str, int32_t* ___ptr, int32_t* ___n, int32_t* ___width, bool* ___left_align, String_t** ___format, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_ParseFormatSpecifier_m3682617588_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); IL_0000: try { // begin try (depth: 1) { int32_t* L_0 = ___n; String_t* L_1 = ___str; int32_t* L_2 = ___ptr; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); int32_t L_3 = String_ParseDecimal_m2522196181(NULL /*static, unused*/, L_1, L_2, /*hidden argument*/NULL); *((int32_t*)(L_0)) = (int32_t)L_3; int32_t* L_4 = ___n; if ((((int32_t)(*((int32_t*)L_4))) >= ((int32_t)0))) { goto IL_001c; } } IL_0011: { FormatException_t2404802957 * L_5 = (FormatException_t2404802957 *)il2cpp_codegen_object_new(FormatException_t2404802957_il2cpp_TypeInfo_var); FormatException__ctor_m27151337(L_5, _stringLiteral3682737700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_001c: { String_t* L_6 = ___str; int32_t* L_7 = ___ptr; NullCheck(L_6); uint16_t L_8 = String_get_Chars_m3015341861(L_6, (*((int32_t*)L_7)), /*hidden argument*/NULL); if ((!(((uint32_t)L_8) == ((uint32_t)((int32_t)44))))) { goto IL_009d; } } IL_002b: { int32_t* L_9 = ___ptr; int32_t* L_10 = ___ptr; *((int32_t*)(L_9)) = (int32_t)((int32_t)((int32_t)(*((int32_t*)L_10))+(int32_t)1)); goto IL_003c; } IL_0036: { int32_t* L_11 = ___ptr; int32_t* L_12 = ___ptr; *((int32_t*)(L_11)) = (int32_t)((int32_t)((int32_t)(*((int32_t*)L_12))+(int32_t)1)); } IL_003c: { String_t* L_13 = ___str; int32_t* L_14 = ___ptr; NullCheck(L_13); uint16_t L_15 = String_get_Chars_m3015341861(L_13, (*((int32_t*)L_14)), /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_16 = Char_IsWhiteSpace_m2745315955(NULL /*static, unused*/, L_15, /*hidden argument*/NULL); if (L_16) { goto IL_0036; } } IL_004e: { int32_t* L_17 = ___ptr; V_0 = (*((int32_t*)L_17)); String_t** L_18 = ___format; String_t* L_19 = ___str; int32_t L_20 = V_0; int32_t* L_21 = ___ptr; int32_t L_22 = V_0; NullCheck(L_19); String_t* L_23 = String_Substring_m675079568(L_19, L_20, ((int32_t)((int32_t)(*((int32_t*)L_21))-(int32_t)L_22)), /*hidden argument*/NULL); *((Il2CppObject **)(L_18)) = (Il2CppObject *)L_23; Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_18), (Il2CppObject *)L_23); bool* L_24 = ___left_align; String_t* L_25 = ___str; int32_t* L_26 = ___ptr; NullCheck(L_25); uint16_t L_27 = String_get_Chars_m3015341861(L_25, (*((int32_t*)L_26)), /*hidden argument*/NULL); *((int8_t*)(L_24)) = (int8_t)((((int32_t)L_27) == ((int32_t)((int32_t)45)))? 1 : 0); bool* L_28 = ___left_align; if (!(*((int8_t*)L_28))) { goto IL_007c; } } IL_0076: { int32_t* L_29 = ___ptr; int32_t* L_30 = ___ptr; *((int32_t*)(L_29)) = (int32_t)((int32_t)((int32_t)(*((int32_t*)L_30))+(int32_t)1)); } IL_007c: { int32_t* L_31 = ___width; String_t* L_32 = ___str; int32_t* L_33 = ___ptr; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); int32_t L_34 = String_ParseDecimal_m2522196181(NULL /*static, unused*/, L_32, L_33, /*hidden argument*/NULL); *((int32_t*)(L_31)) = (int32_t)L_34; int32_t* L_35 = ___width; if ((((int32_t)(*((int32_t*)L_35))) >= ((int32_t)0))) { goto IL_0098; } } IL_008d: { FormatException_t2404802957 * L_36 = (FormatException_t2404802957 *)il2cpp_codegen_object_new(FormatException_t2404802957_il2cpp_TypeInfo_var); FormatException__ctor_m27151337(L_36, _stringLiteral3682737700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_36); } IL_0098: { goto IL_00ac; } IL_009d: { int32_t* L_37 = ___width; *((int32_t*)(L_37)) = (int32_t)0; bool* L_38 = ___left_align; *((int8_t*)(L_38)) = (int8_t)0; String_t** L_39 = ___format; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_40 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); *((Il2CppObject **)(L_39)) = (Il2CppObject *)L_40; Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_39), (Il2CppObject *)L_40); } IL_00ac: { String_t* L_41 = ___str; int32_t* L_42 = ___ptr; NullCheck(L_41); uint16_t L_43 = String_get_Chars_m3015341861(L_41, (*((int32_t*)L_42)), /*hidden argument*/NULL); if ((!(((uint32_t)L_43) == ((uint32_t)((int32_t)58))))) { goto IL_00fa; } } IL_00bb: { int32_t* L_44 = ___ptr; int32_t* L_45 = ___ptr; int32_t L_46 = ((int32_t)((int32_t)(*((int32_t*)L_45))+(int32_t)1)); V_2 = L_46; *((int32_t*)(L_44)) = (int32_t)L_46; int32_t L_47 = V_2; V_1 = L_47; goto IL_00d0; } IL_00ca: { int32_t* L_48 = ___ptr; int32_t* L_49 = ___ptr; *((int32_t*)(L_48)) = (int32_t)((int32_t)((int32_t)(*((int32_t*)L_49))+(int32_t)1)); } IL_00d0: { String_t* L_50 = ___str; int32_t* L_51 = ___ptr; NullCheck(L_50); uint16_t L_52 = String_get_Chars_m3015341861(L_50, (*((int32_t*)L_51)), /*hidden argument*/NULL); if ((!(((uint32_t)L_52) == ((uint32_t)((int32_t)125))))) { goto IL_00ca; } } IL_00df: { String_t** L_53 = ___format; String_t** L_54 = ___format; String_t* L_55 = ___str; int32_t L_56 = V_1; int32_t* L_57 = ___ptr; int32_t L_58 = V_1; NullCheck(L_55); String_t* L_59 = String_Substring_m675079568(L_55, L_56, ((int32_t)((int32_t)(*((int32_t*)L_57))-(int32_t)L_58)), /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_60 = String_Concat_m138640077(NULL /*static, unused*/, (*((String_t**)L_54)), L_59, /*hidden argument*/NULL); *((Il2CppObject **)(L_53)) = (Il2CppObject *)L_60; Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_53), (Il2CppObject *)L_60); goto IL_00fe; } IL_00fa: { String_t** L_61 = ___format; *((Il2CppObject **)(L_61)) = (Il2CppObject *)NULL; Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_61), (Il2CppObject *)NULL); } IL_00fe: { String_t* L_62 = ___str; int32_t* L_63 = ___ptr; int32_t* L_64 = ___ptr; int32_t L_65 = (*((int32_t*)L_64)); V_2 = L_65; *((int32_t*)(L_63)) = (int32_t)((int32_t)((int32_t)L_65+(int32_t)1)); int32_t L_66 = V_2; NullCheck(L_62); uint16_t L_67 = String_get_Chars_m3015341861(L_62, L_66, /*hidden argument*/NULL); if ((((int32_t)L_67) == ((int32_t)((int32_t)125)))) { goto IL_011f; } } IL_0114: { FormatException_t2404802957 * L_68 = (FormatException_t2404802957 *)il2cpp_codegen_object_new(FormatException_t2404802957_il2cpp_TypeInfo_var); FormatException__ctor_m27151337(L_68, _stringLiteral3682737700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_68); } IL_011f: { goto IL_0135; } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (IndexOutOfRangeException_t3760259642_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_0124; throw e; } CATCH_0124: { // begin catch(System.IndexOutOfRangeException) { FormatException_t2404802957 * L_69 = (FormatException_t2404802957 *)il2cpp_codegen_object_new(FormatException_t2404802957_il2cpp_TypeInfo_var); FormatException__ctor_m27151337(L_69, _stringLiteral3682737700, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_69); } IL_0130: { goto IL_0135; } } // end catch (depth: 1) IL_0135: { return; } } // System.Int32 System.String::ParseDecimal(System.String,System.Int32&) extern "C" int32_t String_ParseDecimal_m2522196181 (Il2CppObject * __this /* static, unused */, String_t* ___str, int32_t* ___ptr, const MethodInfo* method) { int32_t V_0 = 0; int32_t V_1 = 0; uint16_t V_2 = 0x0; { int32_t* L_0 = ___ptr; V_0 = (*((int32_t*)L_0)); V_1 = 0; } IL_0005: { String_t* L_1 = ___str; int32_t L_2 = V_0; NullCheck(L_1); uint16_t L_3 = String_get_Chars_m3015341861(L_1, L_2, /*hidden argument*/NULL); V_2 = L_3; uint16_t L_4 = V_2; if ((((int32_t)L_4) < ((int32_t)((int32_t)48)))) { goto IL_001d; } } { uint16_t L_5 = V_2; if ((((int32_t)((int32_t)57)) >= ((int32_t)L_5))) { goto IL_0022; } } IL_001d: { goto IL_0035; } IL_0022: { int32_t L_6 = V_1; uint16_t L_7 = V_2; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_6*(int32_t)((int32_t)10)))+(int32_t)L_7))-(int32_t)((int32_t)48))); int32_t L_8 = V_0; V_0 = ((int32_t)((int32_t)L_8+(int32_t)1)); goto IL_0005; } IL_0035: { int32_t L_9 = V_0; int32_t* L_10 = ___ptr; if ((!(((uint32_t)L_9) == ((uint32_t)(*((int32_t*)L_10)))))) { goto IL_003f; } } { return (-1); } IL_003f: { int32_t* L_11 = ___ptr; int32_t L_12 = V_0; *((int32_t*)(L_11)) = (int32_t)L_12; int32_t L_13 = V_1; return L_13; } } // System.Void System.String::InternalSetChar(System.Int32,System.Char) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral104125; extern const uint32_t String_InternalSetChar_m3191521125_MetadataUsageId; extern "C" void String_InternalSetChar_m3191521125 (String_t* __this, int32_t ___idx, uint16_t ___val, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_InternalSetChar_m3191521125_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint16_t* V_0 = NULL; { int32_t L_0 = ___idx; int32_t L_1 = String_get_Length_m2979997331(__this, /*hidden argument*/NULL); if ((!(((uint32_t)L_0) >= ((uint32_t)L_1)))) { goto IL_0017; } } { ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_2, _stringLiteral104125, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_0017: { uint16_t* L_3 = __this->get_address_of_start_char_1(); V_0 = (uint16_t*)L_3; uint16_t* L_4 = V_0; int32_t L_5 = ___idx; uint16_t L_6 = ___val; *((int16_t*)(((uint16_t*)((intptr_t)L_4+(int32_t)((int32_t)((int32_t)L_5*(int32_t)2)))))) = (int16_t)L_6; V_0 = (uint16_t*)(((uintptr_t)0)); return; } } // System.Void System.String::InternalSetLength(System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3484883110; extern Il2CppCodeGenString* _stringLiteral2566453273; extern const uint32_t String_InternalSetLength_m4220170206_MetadataUsageId; extern "C" void String_InternalSetLength_m4220170206 (String_t* __this, int32_t ___newLength, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_InternalSetLength_m4220170206_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint16_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; { int32_t L_0 = ___newLength; int32_t L_1 = __this->get_length_0(); if ((((int32_t)L_0) <= ((int32_t)L_1))) { goto IL_001c; } } { ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral3484883110, _stringLiteral2566453273, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { uint16_t* L_3 = __this->get_address_of_start_char_1(); V_0 = (uint16_t*)L_3; uint16_t* L_4 = V_0; int32_t L_5 = ___newLength; V_1 = (uint16_t*)((uint16_t*)((intptr_t)L_4+(int32_t)((int32_t)((int32_t)L_5*(int32_t)2)))); uint16_t* L_6 = V_0; int32_t L_7 = __this->get_length_0(); V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_6+(int32_t)((int32_t)((int32_t)L_7*(int32_t)2)))); goto IL_0041; } IL_0039: { uint16_t* L_8 = V_1; *((int16_t*)(L_8)) = (int16_t)0; uint16_t* L_9 = V_1; V_1 = (uint16_t*)((uint16_t*)((intptr_t)L_9+(intptr_t)(((intptr_t)2)))); } IL_0041: { uint16_t* L_10 = V_1; uint16_t* L_11 = V_2; if ((!(((uintptr_t)L_10) >= ((uintptr_t)L_11)))) { goto IL_0039; } } { V_0 = (uint16_t*)(((uintptr_t)0)); int32_t L_12 = ___newLength; __this->set_length_0(L_12); return; } } // System.Int32 System.String::GetHashCode() extern "C" int32_t String_GetHashCode_m471729487 (String_t* __this, const MethodInfo* method) { uint16_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; int32_t V_3 = 0; String_t* V_4 = NULL; { V_4 = __this; String_t* L_0 = V_4; int32_t L_1 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_0))+(int32_t)L_1)); uint16_t* L_2 = V_0; V_1 = (uint16_t*)L_2; uint16_t* L_3 = V_1; int32_t L_4 = __this->get_length_0(); V_2 = (uint16_t*)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_3+(int32_t)((int32_t)((int32_t)L_4*(int32_t)2))))-(int32_t)2)); V_3 = 0; goto IL_003b; } IL_0023: { int32_t L_5 = V_3; int32_t L_6 = V_3; uint16_t* L_7 = V_1; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5<<(int32_t)5))-(int32_t)L_6))+(int32_t)(*((uint16_t*)L_7)))); int32_t L_8 = V_3; int32_t L_9 = V_3; uint16_t* L_10 = V_1; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_8<<(int32_t)5))-(int32_t)L_9))+(int32_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_10+(int32_t)2)))))); uint16_t* L_11 = V_1; V_1 = (uint16_t*)((uint16_t*)((intptr_t)L_11+(int32_t)4)); } IL_003b: { uint16_t* L_12 = V_1; uint16_t* L_13 = V_2; if ((!(((uintptr_t)L_12) >= ((uintptr_t)L_13)))) { goto IL_0023; } } { uint16_t* L_14 = V_2; V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_14+(intptr_t)(((intptr_t)2)))); uint16_t* L_15 = V_1; uint16_t* L_16 = V_2; if ((!(((uintptr_t)L_15) < ((uintptr_t)L_16)))) { goto IL_0057; } } { int32_t L_17 = V_3; int32_t L_18 = V_3; uint16_t* L_19 = V_1; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_17<<(int32_t)5))-(int32_t)L_18))+(int32_t)(*((uint16_t*)L_19)))); } IL_0057: { int32_t L_20 = V_3; return L_20; } } // System.Int32 System.String::GetCaseInsensitiveHashCode() extern TypeInfo* Char_t2778706699_il2cpp_TypeInfo_var; extern const uint32_t String_GetCaseInsensitiveHashCode_m952232874_MetadataUsageId; extern "C" int32_t String_GetCaseInsensitiveHashCode_m952232874 (String_t* __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_GetCaseInsensitiveHashCode_m952232874_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint16_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; int32_t V_3 = 0; String_t* V_4 = NULL; { V_4 = __this; String_t* L_0 = V_4; int32_t L_1 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_0))+(int32_t)L_1)); uint16_t* L_2 = V_0; V_1 = (uint16_t*)L_2; uint16_t* L_3 = V_1; int32_t L_4 = __this->get_length_0(); V_2 = (uint16_t*)((uint16_t*)((intptr_t)((uint16_t*)((intptr_t)L_3+(int32_t)((int32_t)((int32_t)L_4*(int32_t)2))))-(int32_t)2)); V_3 = 0; goto IL_0045; } IL_0023: { int32_t L_5 = V_3; int32_t L_6 = V_3; uint16_t* L_7 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); uint16_t L_8 = Char_ToUpperInvariant_m4158859197(NULL /*static, unused*/, (*((uint16_t*)L_7)), /*hidden argument*/NULL); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5<<(int32_t)5))-(int32_t)L_6))+(int32_t)L_8)); int32_t L_9 = V_3; int32_t L_10 = V_3; uint16_t* L_11 = V_1; uint16_t L_12 = Char_ToUpperInvariant_m4158859197(NULL /*static, unused*/, (*((uint16_t*)((uint16_t*)((intptr_t)L_11+(int32_t)2)))), /*hidden argument*/NULL); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_9<<(int32_t)5))-(int32_t)L_10))+(int32_t)L_12)); uint16_t* L_13 = V_1; V_1 = (uint16_t*)((uint16_t*)((intptr_t)L_13+(int32_t)4)); } IL_0045: { uint16_t* L_14 = V_1; uint16_t* L_15 = V_2; if ((!(((uintptr_t)L_14) >= ((uintptr_t)L_15)))) { goto IL_0023; } } { uint16_t* L_16 = V_2; V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_16+(intptr_t)(((intptr_t)2)))); uint16_t* L_17 = V_1; uint16_t* L_18 = V_2; if ((!(((uintptr_t)L_17) < ((uintptr_t)L_18)))) { goto IL_0066; } } { int32_t L_19 = V_3; int32_t L_20 = V_3; uint16_t* L_21 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); uint16_t L_22 = Char_ToUpperInvariant_m4158859197(NULL /*static, unused*/, (*((uint16_t*)L_21)), /*hidden argument*/NULL); V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_19<<(int32_t)5))-(int32_t)L_20))+(int32_t)L_22)); } IL_0066: { int32_t L_23 = V_3; return L_23; } } // System.String System.String::CreateString(System.SByte*) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* NullReferenceException_t3216235232_il2cpp_TypeInfo_var; extern TypeInfo* AccessViolationException_t3198007523_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111342; extern Il2CppCodeGenString* _stringLiteral1812074106; extern const uint32_t String_CreateString_m828432250_MetadataUsageId; extern "C" String_t* String_CreateString_m828432250 (String_t* __this, int8_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CreateString_m828432250_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint8_t* V_0 = NULL; int32_t V_1 = 0; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { int8_t* L_0 = ___value; if (L_0) { goto IL_000c; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_1; } IL_000c: { int8_t* L_2 = ___value; V_0 = (uint8_t*)L_2; V_1 = 0; } IL_0010: try { // begin try (depth: 1) { goto IL_0019; } IL_0015: { int32_t L_3 = V_1; V_1 = ((int32_t)((int32_t)L_3+(int32_t)1)); } IL_0019: { uint8_t* L_4 = V_0; uint8_t* L_5 = (uint8_t*)L_4; V_0 = (uint8_t*)((uint8_t*)((intptr_t)L_5+(intptr_t)(((intptr_t)1)))); if ((*((uint8_t*)L_5))) { goto IL_0015; } } IL_0025: { goto IL_0056; } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (NullReferenceException_t3216235232_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_002a; if(il2cpp_codegen_class_is_assignable_from (AccessViolationException_t3198007523_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_0040; throw e; } CATCH_002a: { // begin catch(System.NullReferenceException) { ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral111342, _stringLiteral1812074106, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_003b: { goto IL_0056; } } // end catch (depth: 1) CATCH_0040: { // begin catch(System.AccessViolationException) { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_7, _stringLiteral111342, _stringLiteral1812074106, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0051: { goto IL_0056; } } // end catch (depth: 1) IL_0056: { int8_t* L_8 = ___value; int32_t L_9 = V_1; String_t* L_10 = String_CreateString_m416250615(__this, (int8_t*)(int8_t*)L_8, 0, L_9, (Encoding_t180559927 *)NULL, /*hidden argument*/NULL); return L_10; } } // System.String System.String::CreateString(System.SByte*,System.Int32,System.Int32) extern "C" String_t* String_CreateString_m197914714 (String_t* __this, int8_t* ___value, int32_t ___startIndex, int32_t ___length, const MethodInfo* method) { { int8_t* L_0 = ___value; int32_t L_1 = ___startIndex; int32_t L_2 = ___length; String_t* L_3 = String_CreateString_m416250615(__this, (int8_t*)(int8_t*)L_0, L_1, L_2, (Encoding_t180559927 *)NULL, /*hidden argument*/NULL); return L_3; } } // System.String System.String::CreateString(System.SByte*,System.Int32,System.Int32,System.Text.Encoding) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern TypeInfo* NullReferenceException_t3216235232_il2cpp_TypeInfo_var; extern TypeInfo* AccessViolationException_t3198007523_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3188603622; extern Il2CppCodeGenString* _stringLiteral2822841795; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral4003212561; extern Il2CppCodeGenString* _stringLiteral111972721; extern Il2CppCodeGenString* _stringLiteral111342; extern const uint32_t String_CreateString_m416250615_MetadataUsageId; extern "C" String_t* String_CreateString_m416250615 (String_t* __this, int8_t* ___value, int32_t ___startIndex, int32_t ___length, Encoding_t180559927 * ___enc, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CreateString_m416250615_MetadataUsageId); s_Il2CppMethodIntialized = true; } bool V_0 = false; ByteU5BU5D_t58506160* V_1 = NULL; uint8_t* V_2 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); uintptr_t G_B17_0 = 0; { int32_t L_0 = ___length; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0017; } } { ArgumentOutOfRangeException_t3479058991 * L_1 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_1, _stringLiteral3188603622, _stringLiteral2822841795, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0017: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_002e; } } { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_3, _stringLiteral2701320592, _stringLiteral2822841795, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_002e: { int8_t* L_4 = ___value; int32_t L_5 = ___startIndex; int8_t* L_6 = ___value; if ((!(((uintptr_t)((int8_t*)((intptr_t)L_4+(int32_t)L_5))) < ((uintptr_t)L_6)))) { goto IL_0047; } } { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_7, _stringLiteral2701320592, _stringLiteral4003212561, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0047: { Encoding_t180559927 * L_8 = ___enc; int32_t L_9 = ((((Il2CppObject*)(Encoding_t180559927 *)L_8) == ((Il2CppObject*)(Il2CppObject *)NULL))? 1 : 0); V_0 = (bool)L_9; if (!L_9) { goto IL_0077; } } { int8_t* L_10 = ___value; if (L_10) { goto IL_0064; } } { ArgumentNullException_t3214793280 * L_11 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_11, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11); } IL_0064: { int32_t L_12 = ___length; if (L_12) { goto IL_0070; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_13 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_13; } IL_0070: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_14 = Encoding_get_Default_m1600689821(NULL /*static, unused*/, /*hidden argument*/NULL); ___enc = L_14; } IL_0077: { int32_t L_15 = ___length; V_1 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)L_15)); int32_t L_16 = ___length; if (!L_16) { goto IL_00e7; } } { ByteU5BU5D_t58506160* L_17 = V_1; if (!L_17) { goto IL_0092; } } { ByteU5BU5D_t58506160* L_18 = V_1; NullCheck(L_18); if ((((int32_t)((int32_t)(((Il2CppArray *)L_18)->max_length))))) { goto IL_0099; } } IL_0092: { G_B17_0 = (((uintptr_t)0)); goto IL_00a0; } IL_0099: { ByteU5BU5D_t58506160* L_19 = V_1; NullCheck(L_19); IL2CPP_ARRAY_BOUNDS_CHECK(L_19, 0); G_B17_0 = ((uintptr_t)(((L_19)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_00a0: { V_2 = (uint8_t*)G_B17_0; } IL_00a1: try { // begin try (depth: 1) uint8_t* L_20 = V_2; int8_t* L_21 = ___value; int32_t L_22 = ___startIndex; int32_t L_23 = ___length; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_memcpy_m3785779208(NULL /*static, unused*/, (uint8_t*)(uint8_t*)L_20, (uint8_t*)(uint8_t*)((int8_t*)((intptr_t)L_21+(int32_t)L_22)), L_23, /*hidden argument*/NULL); goto IL_00e4; } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (NullReferenceException_t3216235232_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_00b0; if(il2cpp_codegen_class_is_assignable_from (AccessViolationException_t3198007523_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_00c6; throw e; } CATCH_00b0: { // begin catch(System.NullReferenceException) { ArgumentOutOfRangeException_t3479058991 * L_24 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_24, _stringLiteral111342, _stringLiteral4003212561, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_24); } IL_00c1: { goto IL_00e4; } } // end catch (depth: 1) CATCH_00c6: { // begin catch(System.AccessViolationException) { bool L_25 = V_0; if (L_25) { goto IL_00cf; } } IL_00cd: { IL2CPP_RAISE_MANAGED_EXCEPTION(__exception_local); } IL_00cf: { ArgumentOutOfRangeException_t3479058991 * L_26 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_26, _stringLiteral111972721, _stringLiteral4003212561, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_26); } IL_00df: { goto IL_00e4; } } // end catch (depth: 1) IL_00e4: { V_2 = (uint8_t*)(((uintptr_t)0)); } IL_00e7: { Encoding_t180559927 * L_27 = ___enc; ByteU5BU5D_t58506160* L_28 = V_1; NullCheck(L_27); String_t* L_29 = VirtFuncInvoker1< String_t*, ByteU5BU5D_t58506160* >::Invoke(22 /* System.String System.Text.Encoding::GetString(System.Byte[]) */, L_27, L_28); return L_29; } } // System.String System.String::CreateString(System.Char*) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_CreateString_m3205262901_MetadataUsageId; extern "C" String_t* String_CreateString_m3205262901 (String_t* __this, uint16_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CreateString_m3205262901_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint16_t* V_0 = NULL; int32_t V_1 = 0; String_t* V_2 = NULL; uint16_t* V_3 = NULL; String_t* V_4 = NULL; { uint16_t* L_0 = ___value; if (L_0) { goto IL_000c; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_1; } IL_000c: { uint16_t* L_2 = ___value; V_0 = (uint16_t*)L_2; V_1 = 0; goto IL_001e; } IL_0015: { int32_t L_3 = V_1; V_1 = ((int32_t)((int32_t)L_3+(int32_t)1)); uint16_t* L_4 = V_0; V_0 = (uint16_t*)((uint16_t*)((intptr_t)L_4+(intptr_t)(((intptr_t)2)))); } IL_001e: { uint16_t* L_5 = V_0; if ((*((uint16_t*)L_5))) { goto IL_0015; } } { int32_t L_6 = V_1; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_7 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); V_2 = L_7; int32_t L_8 = V_1; if (!L_8) { goto IL_004a; } } { String_t* L_9 = V_2; V_4 = L_9; String_t* L_10 = V_4; int32_t L_11 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_3 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_10))+(int32_t)L_11)); uint16_t* L_12 = V_3; uint16_t* L_13 = ___value; int32_t L_14 = V_1; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_12, (uint16_t*)(uint16_t*)L_13, L_14, /*hidden argument*/NULL); V_4 = (String_t*)NULL; } IL_004a: { String_t* L_15 = V_2; return L_15; } } // System.String System.String::CreateString(System.Char*,System.Int32,System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral3188603622; extern const uint32_t String_CreateString_m1597586261_MetadataUsageId; extern "C" String_t* String_CreateString_m1597586261 (String_t* __this, uint16_t* ___value, int32_t ___startIndex, int32_t ___length, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CreateString_m1597586261_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; String_t* V_2 = NULL; { int32_t L_0 = ___length; if (L_0) { goto IL_000c; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_1; } IL_000c: { uint16_t* L_2 = ___value; if (L_2) { goto IL_001d; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_001d: { int32_t L_4 = ___startIndex; if ((((int32_t)L_4) >= ((int32_t)0))) { goto IL_002f; } } { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_5, _stringLiteral2701320592, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_002f: { int32_t L_6 = ___length; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0041; } } { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_7, _stringLiteral3188603622, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0041: { int32_t L_8 = ___length; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_9 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_8, /*hidden argument*/NULL); V_0 = L_9; String_t* L_10 = V_0; V_2 = L_10; String_t* L_11 = V_2; int32_t L_12 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_11))+(int32_t)L_12)); uint16_t* L_13 = V_1; uint16_t* L_14 = ___value; int32_t L_15 = ___startIndex; int32_t L_16 = ___length; String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_13, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_14+(int32_t)((int32_t)((int32_t)L_15*(int32_t)2)))), L_16, /*hidden argument*/NULL); V_2 = (String_t*)NULL; String_t* L_17 = V_0; return L_17; } } // System.String System.String::CreateString(System.Char[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral3807424217; extern Il2CppCodeGenString* _stringLiteral3188603622; extern Il2CppCodeGenString* _stringLiteral509155380; extern const uint32_t String_CreateString_m3402832113_MetadataUsageId; extern "C" String_t* String_CreateString_m3402832113 (String_t* __this, CharU5BU5D_t3416858730* ___val, int32_t ___startIndex, int32_t ___length, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CreateString_m3402832113_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; String_t* V_3 = NULL; uintptr_t G_B14_0 = 0; { CharU5BU5D_t3416858730* L_0 = ___val; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0028; } } { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_3, _stringLiteral2701320592, _stringLiteral3807424217, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0028: { int32_t L_4 = ___length; if ((((int32_t)L_4) >= ((int32_t)0))) { goto IL_003f; } } { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_5, _stringLiteral3188603622, _stringLiteral3807424217, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_003f: { int32_t L_6 = ___startIndex; CharU5BU5D_t3416858730* L_7 = ___val; NullCheck(L_7); int32_t L_8 = ___length; if ((((int32_t)L_6) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_7)->max_length))))-(int32_t)L_8))))) { goto IL_005a; } } { ArgumentOutOfRangeException_t3479058991 * L_9 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_9, _stringLiteral2701320592, _stringLiteral509155380, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_005a: { int32_t L_10 = ___length; if (L_10) { goto IL_0066; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_11 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_11; } IL_0066: { int32_t L_12 = ___length; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_13 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_12, /*hidden argument*/NULL); V_0 = L_13; String_t* L_14 = V_0; V_3 = L_14; String_t* L_15 = V_3; int32_t L_16 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_15))+(int32_t)L_16)); CharU5BU5D_t3416858730* L_17 = ___val; if (!L_17) { goto IL_0086; } } { CharU5BU5D_t3416858730* L_18 = ___val; NullCheck(L_18); if ((((int32_t)((int32_t)(((Il2CppArray *)L_18)->max_length))))) { goto IL_008d; } } IL_0086: { G_B14_0 = (((uintptr_t)0)); goto IL_0094; } IL_008d: { CharU5BU5D_t3416858730* L_19 = ___val; NullCheck(L_19); IL2CPP_ARRAY_BOUNDS_CHECK(L_19, 0); G_B14_0 = ((uintptr_t)(((L_19)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_0094: { V_2 = (uint16_t*)G_B14_0; uint16_t* L_20 = V_1; uint16_t* L_21 = V_2; int32_t L_22 = ___startIndex; int32_t L_23 = ___length; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_20, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_21+(int32_t)((int32_t)((int32_t)L_22*(int32_t)2)))), L_23, /*hidden argument*/NULL); V_3 = (String_t*)NULL; V_2 = (uint16_t*)(((uintptr_t)0)); String_t* L_24 = V_0; return L_24; } } // System.String System.String::CreateString(System.Char[]) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_CreateString_m578950865_MetadataUsageId; extern "C" String_t* String_CreateString_m578950865 (String_t* __this, CharU5BU5D_t3416858730* ___val, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CreateString_m578950865_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; String_t* V_3 = NULL; uintptr_t G_B8_0 = 0; { CharU5BU5D_t3416858730* L_0 = ___val; if (L_0) { goto IL_000c; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_1; } IL_000c: { CharU5BU5D_t3416858730* L_2 = ___val; NullCheck(L_2); if ((((int32_t)((int32_t)(((Il2CppArray *)L_2)->max_length))))) { goto IL_001a; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_3 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_3; } IL_001a: { CharU5BU5D_t3416858730* L_4 = ___val; NullCheck(L_4); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_5 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, (((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length)))), /*hidden argument*/NULL); V_0 = L_5; String_t* L_6 = V_0; V_3 = L_6; String_t* L_7 = V_3; int32_t L_8 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_7))+(int32_t)L_8)); CharU5BU5D_t3416858730* L_9 = ___val; if (!L_9) { goto IL_003c; } } { CharU5BU5D_t3416858730* L_10 = ___val; NullCheck(L_10); if ((((int32_t)((int32_t)(((Il2CppArray *)L_10)->max_length))))) { goto IL_0043; } } IL_003c: { G_B8_0 = (((uintptr_t)0)); goto IL_004a; } IL_0043: { CharU5BU5D_t3416858730* L_11 = ___val; NullCheck(L_11); IL2CPP_ARRAY_BOUNDS_CHECK(L_11, 0); G_B8_0 = ((uintptr_t)(((L_11)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_004a: { V_2 = (uint16_t*)G_B8_0; uint16_t* L_12 = V_1; uint16_t* L_13 = V_2; CharU5BU5D_t3416858730* L_14 = ___val; NullCheck(L_14); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)L_12, (uint16_t*)(uint16_t*)L_13, (((int32_t)((int32_t)(((Il2CppArray *)L_14)->max_length)))), /*hidden argument*/NULL); V_3 = (String_t*)NULL; V_2 = (uint16_t*)(((uintptr_t)0)); String_t* L_15 = V_0; return L_15; } } // System.String System.String::CreateString(System.Char,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t String_CreateString_m356585284_MetadataUsageId; extern "C" String_t* String_CreateString_m356585284 (String_t* __this, uint16_t ___c, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CreateString_m356585284_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; uint16_t* V_1 = NULL; uint16_t* V_2 = NULL; uint16_t* V_3 = NULL; String_t* V_4 = NULL; { int32_t L_0 = ___count; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_0012; } } { ArgumentOutOfRangeException_t3479058991 * L_1 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_1, _stringLiteral94851343, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0012: { int32_t L_2 = ___count; if (L_2) { goto IL_001e; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_3 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_3; } IL_001e: { int32_t L_4 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_5 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_4, /*hidden argument*/NULL); V_0 = L_5; String_t* L_6 = V_0; V_4 = L_6; String_t* L_7 = V_4; int32_t L_8 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_7))+(int32_t)L_8)); uint16_t* L_9 = V_1; V_2 = (uint16_t*)L_9; uint16_t* L_10 = V_2; int32_t L_11 = ___count; V_3 = (uint16_t*)((uint16_t*)((intptr_t)L_10+(int32_t)((int32_t)((int32_t)L_11*(int32_t)2)))); goto IL_0047; } IL_003f: { uint16_t* L_12 = V_2; uint16_t L_13 = ___c; *((int16_t*)(L_12)) = (int16_t)L_13; uint16_t* L_14 = V_2; V_2 = (uint16_t*)((uint16_t*)((intptr_t)L_14+(intptr_t)(((intptr_t)2)))); } IL_0047: { uint16_t* L_15 = V_2; uint16_t* L_16 = V_3; if ((!(((uintptr_t)L_15) >= ((uintptr_t)L_16)))) { goto IL_003f; } } { V_4 = (String_t*)NULL; String_t* L_17 = V_0; return L_17; } } // System.Void System.String::memcpy4(System.Byte*,System.Byte*,System.Int32) extern "C" void String_memcpy4_m1762596688 (Il2CppObject * __this /* static, unused */, uint8_t* ___dest, uint8_t* ___src, int32_t ___size, const MethodInfo* method) { { goto IL_0035; } IL_0005: { uint8_t* L_0 = ___dest; uint8_t* L_1 = ___src; *((int32_t*)(L_0)) = (int32_t)(*((int32_t*)L_1)); uint8_t* L_2 = ___dest; uint8_t* L_3 = ___src; *((int32_t*)(((uint8_t*)((intptr_t)L_2+(int32_t)4)))) = (int32_t)(*((int32_t*)((uint8_t*)((intptr_t)L_3+(int32_t)4)))); uint8_t* L_4 = ___dest; uint8_t* L_5 = ___src; *((int32_t*)(((uint8_t*)((intptr_t)L_4+(int32_t)8)))) = (int32_t)(*((int32_t*)((uint8_t*)((intptr_t)L_5+(int32_t)8)))); uint8_t* L_6 = ___dest; uint8_t* L_7 = ___src; *((int32_t*)(((uint8_t*)((intptr_t)L_6+(int32_t)((int32_t)12))))) = (int32_t)(*((int32_t*)((uint8_t*)((intptr_t)L_7+(int32_t)((int32_t)12))))); uint8_t* L_8 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_8+(int32_t)((int32_t)16))); uint8_t* L_9 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_9+(int32_t)((int32_t)16))); int32_t L_10 = ___size; ___size = ((int32_t)((int32_t)L_10-(int32_t)((int32_t)16))); } IL_0035: { int32_t L_11 = ___size; if ((((int32_t)L_11) >= ((int32_t)((int32_t)16)))) { goto IL_0005; } } { goto IL_0055; } IL_0042: { uint8_t* L_12 = ___dest; uint8_t* L_13 = ___src; *((int32_t*)(L_12)) = (int32_t)(*((int32_t*)L_13)); uint8_t* L_14 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_14+(int32_t)4)); uint8_t* L_15 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_15+(int32_t)4)); int32_t L_16 = ___size; ___size = ((int32_t)((int32_t)L_16-(int32_t)4)); } IL_0055: { int32_t L_17 = ___size; if ((((int32_t)L_17) >= ((int32_t)4))) { goto IL_0042; } } { goto IL_0074; } IL_0061: { uint8_t* L_18 = ___dest; uint8_t* L_19 = ___src; *((int8_t*)(L_18)) = (int8_t)(*((uint8_t*)L_19)); uint8_t* L_20 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_20+(int32_t)1)); uint8_t* L_21 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_21+(int32_t)1)); int32_t L_22 = ___size; ___size = ((int32_t)((int32_t)L_22-(int32_t)1)); } IL_0074: { int32_t L_23 = ___size; if ((((int32_t)L_23) > ((int32_t)0))) { goto IL_0061; } } { return; } } // System.Void System.String::memcpy2(System.Byte*,System.Byte*,System.Int32) extern "C" void String_memcpy2_m1338949966 (Il2CppObject * __this /* static, unused */, uint8_t* ___dest, uint8_t* ___src, int32_t ___size, const MethodInfo* method) { { goto IL_0030; } IL_0005: { uint8_t* L_0 = ___dest; uint8_t* L_1 = ___src; *((int16_t*)(L_0)) = (int16_t)(*((int16_t*)L_1)); uint8_t* L_2 = ___dest; uint8_t* L_3 = ___src; *((int16_t*)(((uint8_t*)((intptr_t)L_2+(int32_t)2)))) = (int16_t)(*((int16_t*)((uint8_t*)((intptr_t)L_3+(int32_t)2)))); uint8_t* L_4 = ___dest; uint8_t* L_5 = ___src; *((int16_t*)(((uint8_t*)((intptr_t)L_4+(int32_t)4)))) = (int16_t)(*((int16_t*)((uint8_t*)((intptr_t)L_5+(int32_t)4)))); uint8_t* L_6 = ___dest; uint8_t* L_7 = ___src; *((int16_t*)(((uint8_t*)((intptr_t)L_6+(int32_t)6)))) = (int16_t)(*((int16_t*)((uint8_t*)((intptr_t)L_7+(int32_t)6)))); uint8_t* L_8 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_8+(int32_t)8)); uint8_t* L_9 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_9+(int32_t)8)); int32_t L_10 = ___size; ___size = ((int32_t)((int32_t)L_10-(int32_t)8)); } IL_0030: { int32_t L_11 = ___size; if ((((int32_t)L_11) >= ((int32_t)8))) { goto IL_0005; } } { goto IL_004f; } IL_003c: { uint8_t* L_12 = ___dest; uint8_t* L_13 = ___src; *((int16_t*)(L_12)) = (int16_t)(*((int16_t*)L_13)); uint8_t* L_14 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_14+(int32_t)2)); uint8_t* L_15 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_15+(int32_t)2)); int32_t L_16 = ___size; ___size = ((int32_t)((int32_t)L_16-(int32_t)2)); } IL_004f: { int32_t L_17 = ___size; if ((((int32_t)L_17) >= ((int32_t)2))) { goto IL_003c; } } { int32_t L_18 = ___size; if ((((int32_t)L_18) <= ((int32_t)0))) { goto IL_0061; } } { uint8_t* L_19 = ___dest; uint8_t* L_20 = ___src; *((int8_t*)(L_19)) = (int8_t)(*((uint8_t*)L_20)); } IL_0061: { return; } } // System.Void System.String::memcpy1(System.Byte*,System.Byte*,System.Int32) extern "C" void String_memcpy1_m3274610253 (Il2CppObject * __this /* static, unused */, uint8_t* ___dest, uint8_t* ___src, int32_t ___size, const MethodInfo* method) { { goto IL_0050; } IL_0005: { uint8_t* L_0 = ___dest; uint8_t* L_1 = ___src; *((int8_t*)(L_0)) = (int8_t)(*((uint8_t*)L_1)); uint8_t* L_2 = ___dest; uint8_t* L_3 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_2+(int32_t)1)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_3+(int32_t)1)))); uint8_t* L_4 = ___dest; uint8_t* L_5 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_4+(int32_t)2)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_5+(int32_t)2)))); uint8_t* L_6 = ___dest; uint8_t* L_7 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_6+(int32_t)3)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_7+(int32_t)3)))); uint8_t* L_8 = ___dest; uint8_t* L_9 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_8+(int32_t)4)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_9+(int32_t)4)))); uint8_t* L_10 = ___dest; uint8_t* L_11 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_10+(int32_t)5)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_11+(int32_t)5)))); uint8_t* L_12 = ___dest; uint8_t* L_13 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_12+(int32_t)6)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_13+(int32_t)6)))); uint8_t* L_14 = ___dest; uint8_t* L_15 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_14+(int32_t)7)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_15+(int32_t)7)))); uint8_t* L_16 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_16+(int32_t)8)); uint8_t* L_17 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_17+(int32_t)8)); int32_t L_18 = ___size; ___size = ((int32_t)((int32_t)L_18-(int32_t)8)); } IL_0050: { int32_t L_19 = ___size; if ((((int32_t)L_19) >= ((int32_t)8))) { goto IL_0005; } } { goto IL_0077; } IL_005c: { uint8_t* L_20 = ___dest; uint8_t* L_21 = ___src; *((int8_t*)(L_20)) = (int8_t)(*((uint8_t*)L_21)); uint8_t* L_22 = ___dest; uint8_t* L_23 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_22+(int32_t)1)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_23+(int32_t)1)))); uint8_t* L_24 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_24+(int32_t)2)); uint8_t* L_25 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_25+(int32_t)2)); int32_t L_26 = ___size; ___size = ((int32_t)((int32_t)L_26-(int32_t)2)); } IL_0077: { int32_t L_27 = ___size; if ((((int32_t)L_27) >= ((int32_t)2))) { goto IL_005c; } } { int32_t L_28 = ___size; if ((((int32_t)L_28) <= ((int32_t)0))) { goto IL_0089; } } { uint8_t* L_29 = ___dest; uint8_t* L_30 = ___src; *((int8_t*)(L_29)) = (int8_t)(*((uint8_t*)L_30)); } IL_0089: { return; } } // System.Void System.String::memcpy(System.Byte*,System.Byte*,System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_memcpy_m3785779208_MetadataUsageId; extern "C" void String_memcpy_m3785779208 (Il2CppObject * __this /* static, unused */, uint8_t* ___dest, uint8_t* ___src, int32_t ___size, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_memcpy_m3785779208_MetadataUsageId); s_Il2CppMethodIntialized = true; } { uint8_t* L_0 = ___dest; uint8_t* L_1 = ___src; if (!((int32_t)((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(intptr_t)L_0)))|(int32_t)(((int32_t)((int32_t)(intptr_t)L_1)))))&(int32_t)3))) { goto IL_0090; } } { uint8_t* L_2 = ___dest; if (!((int32_t)((int32_t)(((int32_t)((int32_t)(intptr_t)L_2)))&(int32_t)1))) { goto IL_003a; } } { uint8_t* L_3 = ___src; if (!((int32_t)((int32_t)(((int32_t)((int32_t)(intptr_t)L_3)))&(int32_t)1))) { goto IL_003a; } } { int32_t L_4 = ___size; if ((((int32_t)L_4) < ((int32_t)1))) { goto IL_003a; } } { uint8_t* L_5 = ___dest; uint8_t* L_6 = ___src; *((int8_t*)(L_5)) = (int8_t)(*((uint8_t*)L_6)); uint8_t* L_7 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_7+(intptr_t)(((intptr_t)1)))); uint8_t* L_8 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_8+(intptr_t)(((intptr_t)1)))); int32_t L_9 = ___size; ___size = ((int32_t)((int32_t)L_9-(int32_t)1)); } IL_003a: { uint8_t* L_10 = ___dest; if (!((int32_t)((int32_t)(((int32_t)((int32_t)(intptr_t)L_10)))&(int32_t)2))) { goto IL_0066; } } { uint8_t* L_11 = ___src; if (!((int32_t)((int32_t)(((int32_t)((int32_t)(intptr_t)L_11)))&(int32_t)2))) { goto IL_0066; } } { int32_t L_12 = ___size; if ((((int32_t)L_12) < ((int32_t)2))) { goto IL_0066; } } { uint8_t* L_13 = ___dest; uint8_t* L_14 = ___src; *((int16_t*)(L_13)) = (int16_t)(*((int16_t*)L_14)); uint8_t* L_15 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_15+(int32_t)2)); uint8_t* L_16 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_16+(int32_t)2)); int32_t L_17 = ___size; ___size = ((int32_t)((int32_t)L_17-(int32_t)2)); } IL_0066: { uint8_t* L_18 = ___dest; uint8_t* L_19 = ___src; if (!((int32_t)((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(intptr_t)L_18)))|(int32_t)(((int32_t)((int32_t)(intptr_t)L_19)))))&(int32_t)1))) { goto IL_007b; } } { uint8_t* L_20 = ___dest; uint8_t* L_21 = ___src; int32_t L_22 = ___size; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_memcpy1_m3274610253(NULL /*static, unused*/, (uint8_t*)(uint8_t*)L_20, (uint8_t*)(uint8_t*)L_21, L_22, /*hidden argument*/NULL); return; } IL_007b: { uint8_t* L_23 = ___dest; uint8_t* L_24 = ___src; if (!((int32_t)((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(intptr_t)L_23)))|(int32_t)(((int32_t)((int32_t)(intptr_t)L_24)))))&(int32_t)2))) { goto IL_0090; } } { uint8_t* L_25 = ___dest; uint8_t* L_26 = ___src; int32_t L_27 = ___size; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_memcpy2_m1338949966(NULL /*static, unused*/, (uint8_t*)(uint8_t*)L_25, (uint8_t*)(uint8_t*)L_26, L_27, /*hidden argument*/NULL); return; } IL_0090: { uint8_t* L_28 = ___dest; uint8_t* L_29 = ___src; int32_t L_30 = ___size; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_memcpy4_m1762596688(NULL /*static, unused*/, (uint8_t*)(uint8_t*)L_28, (uint8_t*)(uint8_t*)L_29, L_30, /*hidden argument*/NULL); return; } } // System.Void System.String::CharCopy(System.Char*,System.Char*,System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_CharCopy_m3846447580_MetadataUsageId; extern "C" void String_CharCopy_m3846447580 (Il2CppObject * __this /* static, unused */, uint16_t* ___dest, uint16_t* ___src, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CharCopy_m3846447580_MetadataUsageId); s_Il2CppMethodIntialized = true; } { uint16_t* L_0 = ___dest; uint16_t* L_1 = ___src; if (!((int32_t)((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(intptr_t)L_0)))|(int32_t)(((int32_t)((int32_t)(intptr_t)L_1)))))&(int32_t)3))) { goto IL_0051; } } { uint16_t* L_2 = ___dest; if (!((int32_t)((int32_t)(((int32_t)((int32_t)(intptr_t)L_2)))&(int32_t)2))) { goto IL_003a; } } { uint16_t* L_3 = ___src; if (!((int32_t)((int32_t)(((int32_t)((int32_t)(intptr_t)L_3)))&(int32_t)2))) { goto IL_003a; } } { int32_t L_4 = ___count; if ((((int32_t)L_4) <= ((int32_t)0))) { goto IL_003a; } } { uint16_t* L_5 = ___dest; uint16_t* L_6 = ___src; *((int16_t*)(L_5)) = (int16_t)(*((int16_t*)L_6)); uint16_t* L_7 = ___dest; ___dest = (uint16_t*)((uint16_t*)((intptr_t)L_7+(intptr_t)(((intptr_t)2)))); uint16_t* L_8 = ___src; ___src = (uint16_t*)((uint16_t*)((intptr_t)L_8+(intptr_t)(((intptr_t)2)))); int32_t L_9 = ___count; ___count = ((int32_t)((int32_t)L_9-(int32_t)1)); } IL_003a: { uint16_t* L_10 = ___dest; uint16_t* L_11 = ___src; if (!((int32_t)((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(intptr_t)L_10)))|(int32_t)(((int32_t)((int32_t)(intptr_t)L_11)))))&(int32_t)2))) { goto IL_0051; } } { uint16_t* L_12 = ___dest; uint16_t* L_13 = ___src; int32_t L_14 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_memcpy2_m1338949966(NULL /*static, unused*/, (uint8_t*)(uint8_t*)L_12, (uint8_t*)(uint8_t*)L_13, ((int32_t)((int32_t)L_14*(int32_t)2)), /*hidden argument*/NULL); return; } IL_0051: { uint16_t* L_15 = ___dest; uint16_t* L_16 = ___src; int32_t L_17 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_memcpy4_m1762596688(NULL /*static, unused*/, (uint8_t*)(uint8_t*)L_15, (uint8_t*)(uint8_t*)L_16, ((int32_t)((int32_t)L_17*(int32_t)2)), /*hidden argument*/NULL); return; } } // System.Void System.String::CharCopyReverse(System.Char*,System.Char*,System.Int32) extern "C" void String_CharCopyReverse_m2265296522 (Il2CppObject * __this /* static, unused */, uint16_t* ___dest, uint16_t* ___src, int32_t ___count, const MethodInfo* method) { int32_t V_0 = 0; { uint16_t* L_0 = ___dest; int32_t L_1 = ___count; ___dest = (uint16_t*)((uint16_t*)((intptr_t)L_0+(int32_t)((int32_t)((int32_t)L_1*(int32_t)2)))); uint16_t* L_2 = ___src; int32_t L_3 = ___count; ___src = (uint16_t*)((uint16_t*)((intptr_t)L_2+(int32_t)((int32_t)((int32_t)L_3*(int32_t)2)))); int32_t L_4 = ___count; V_0 = L_4; goto IL_0029; } IL_0015: { uint16_t* L_5 = ___dest; ___dest = (uint16_t*)((uint16_t*)((intptr_t)L_5-(intptr_t)(((intptr_t)2)))); uint16_t* L_6 = ___src; ___src = (uint16_t*)((uint16_t*)((intptr_t)L_6-(intptr_t)(((intptr_t)2)))); uint16_t* L_7 = ___dest; uint16_t* L_8 = ___src; *((int16_t*)(L_7)) = (int16_t)(*((uint16_t*)L_8)); int32_t L_9 = V_0; V_0 = ((int32_t)((int32_t)L_9-(int32_t)1)); } IL_0029: { int32_t L_10 = V_0; if ((((int32_t)L_10) > ((int32_t)0))) { goto IL_0015; } } { return; } } // System.Void System.String::CharCopy(System.String,System.Int32,System.String,System.Int32,System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_CharCopy_m805553372_MetadataUsageId; extern "C" void String_CharCopy_m805553372 (Il2CppObject * __this /* static, unused */, String_t* ___target, int32_t ___targetIndex, String_t* ___source, int32_t ___sourceIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CharCopy_m805553372_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint16_t* V_0 = NULL; uint16_t* V_1 = NULL; String_t* V_2 = NULL; String_t* V_3 = NULL; { String_t* L_0 = ___target; V_2 = L_0; String_t* L_1 = V_2; int32_t L_2 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_1))+(int32_t)L_2)); String_t* L_3 = ___source; V_3 = L_3; String_t* L_4 = V_3; int32_t L_5 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_4))+(int32_t)L_5)); uint16_t* L_6 = V_0; int32_t L_7 = ___targetIndex; uint16_t* L_8 = V_1; int32_t L_9 = ___sourceIndex; int32_t L_10 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_6+(int32_t)((int32_t)((int32_t)L_7*(int32_t)2)))), (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_8+(int32_t)((int32_t)((int32_t)L_9*(int32_t)2)))), L_10, /*hidden argument*/NULL); V_2 = (String_t*)NULL; V_3 = (String_t*)NULL; return; } } // System.Void System.String::CharCopy(System.String,System.Int32,System.Char[],System.Int32,System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_CharCopy_m432636757_MetadataUsageId; extern "C" void String_CharCopy_m432636757 (Il2CppObject * __this /* static, unused */, String_t* ___target, int32_t ___targetIndex, CharU5BU5D_t3416858730* ___source, int32_t ___sourceIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CharCopy_m432636757_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint16_t* V_0 = NULL; uint16_t* V_1 = NULL; String_t* V_2 = NULL; uintptr_t G_B4_0 = 0; { String_t* L_0 = ___target; V_2 = L_0; String_t* L_1 = V_2; int32_t L_2 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_1))+(int32_t)L_2)); CharU5BU5D_t3416858730* L_3 = ___source; if (!L_3) { goto IL_0019; } } { CharU5BU5D_t3416858730* L_4 = ___source; NullCheck(L_4); if ((((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))) { goto IL_0020; } } IL_0019: { G_B4_0 = (((uintptr_t)0)); goto IL_0027; } IL_0020: { CharU5BU5D_t3416858730* L_5 = ___source; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, 0); G_B4_0 = ((uintptr_t)(((L_5)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_0027: { V_1 = (uint16_t*)G_B4_0; uint16_t* L_6 = V_0; int32_t L_7 = ___targetIndex; uint16_t* L_8 = V_1; int32_t L_9 = ___sourceIndex; int32_t L_10 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m3846447580(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_6+(int32_t)((int32_t)((int32_t)L_7*(int32_t)2)))), (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_8+(int32_t)((int32_t)((int32_t)L_9*(int32_t)2)))), L_10, /*hidden argument*/NULL); V_2 = (String_t*)NULL; V_1 = (uint16_t*)(((uintptr_t)0)); return; } } // System.Void System.String::CharCopyReverse(System.String,System.Int32,System.String,System.Int32,System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_CharCopyReverse_m1535680650_MetadataUsageId; extern "C" void String_CharCopyReverse_m1535680650 (Il2CppObject * __this /* static, unused */, String_t* ___target, int32_t ___targetIndex, String_t* ___source, int32_t ___sourceIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_CharCopyReverse_m1535680650_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint16_t* V_0 = NULL; uint16_t* V_1 = NULL; String_t* V_2 = NULL; String_t* V_3 = NULL; { String_t* L_0 = ___target; V_2 = L_0; String_t* L_1 = V_2; int32_t L_2 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_1))+(int32_t)L_2)); String_t* L_3 = ___source; V_3 = L_3; String_t* L_4 = V_3; int32_t L_5 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_4))+(int32_t)L_5)); uint16_t* L_6 = V_0; int32_t L_7 = ___targetIndex; uint16_t* L_8 = V_1; int32_t L_9 = ___sourceIndex; int32_t L_10 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopyReverse_m2265296522(NULL /*static, unused*/, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_6+(int32_t)((int32_t)((int32_t)L_7*(int32_t)2)))), (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_8+(int32_t)((int32_t)((int32_t)L_9*(int32_t)2)))), L_10, /*hidden argument*/NULL); V_2 = (String_t*)NULL; V_3 = (String_t*)NULL; return; } } // System.String[] System.String::InternalSplit(System.Char[],System.Int32,System.Int32) extern "C" StringU5BU5D_t2956870243* String_InternalSplit_m354977691 (String_t* __this, CharU5BU5D_t3416858730* ___separator, int32_t ___count, int32_t ___options, const MethodInfo* method) { using namespace il2cpp::icalls; typedef StringU5BU5D_t2956870243* (*String_InternalSplit_m354977691_ftn) (String_t*, CharU5BU5D_t3416858730*, int32_t, int32_t); return ((String_InternalSplit_m354977691_ftn)mscorlib::System::String::InternalSplit) (__this, ___separator, ___count, ___options); } // System.String System.String::InternalAllocateStr(System.Int32) extern "C" String_t* String_InternalAllocateStr_m4108479373 (Il2CppObject * __this /* static, unused */, int32_t ___length, const MethodInfo* method) { using namespace il2cpp::icalls; typedef String_t* (*String_InternalAllocateStr_m4108479373_ftn) (int32_t); return ((String_InternalAllocateStr_m4108479373_ftn)mscorlib::System::String::InternalAllocateStr) (___length); } // System.Boolean System.String::op_Equality(System.String,System.String) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_op_Equality_m1260523650_MetadataUsageId; extern "C" bool String_op_Equality_m1260523650 (Il2CppObject * __this /* static, unused */, String_t* ___a, String_t* ___b, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_op_Equality_m1260523650_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___a; String_t* L_1 = ___b; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_2 = String_Equals_m1002918753(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Boolean System.String::op_Inequality(System.String,System.String) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t String_op_Inequality_m2125462205_MetadataUsageId; extern "C" bool String_op_Inequality_m2125462205 (Il2CppObject * __this /* static, unused */, String_t* ___a, String_t* ___b, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (String_op_Inequality_m2125462205_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___a; String_t* L_1 = ___b; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_2 = String_Equals_m1002918753(NULL /*static, unused*/, L_0, L_1, /*hidden argument*/NULL); return (bool)((((int32_t)L_2) == ((int32_t)0))? 1 : 0); } } // System.Void System.StringComparer::.ctor() extern "C" void StringComparer__ctor_m50784983 (StringComparer_t4058118931 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.StringComparer::.cctor() extern TypeInfo* CultureInfo_t3603717042_il2cpp_TypeInfo_var; extern TypeInfo* CultureAwareComparer_t2876040530_il2cpp_TypeInfo_var; extern TypeInfo* StringComparer_t4058118931_il2cpp_TypeInfo_var; extern TypeInfo* OrdinalComparer_t1058464051_il2cpp_TypeInfo_var; extern const uint32_t StringComparer__cctor_m1092238262_MetadataUsageId; extern "C" void StringComparer__cctor_m1092238262 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringComparer__cctor_m1092238262_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(CultureInfo_t3603717042_il2cpp_TypeInfo_var); CultureInfo_t3603717042 * L_0 = CultureInfo_get_InvariantCulture_m764001524(NULL /*static, unused*/, /*hidden argument*/NULL); CultureAwareComparer_t2876040530 * L_1 = (CultureAwareComparer_t2876040530 *)il2cpp_codegen_object_new(CultureAwareComparer_t2876040530_il2cpp_TypeInfo_var); CultureAwareComparer__ctor_m3948021717(L_1, L_0, (bool)1, /*hidden argument*/NULL); ((StringComparer_t4058118931_StaticFields*)StringComparer_t4058118931_il2cpp_TypeInfo_var->static_fields)->set_invariantCultureIgnoreCase_0(L_1); CultureInfo_t3603717042 * L_2 = CultureInfo_get_InvariantCulture_m764001524(NULL /*static, unused*/, /*hidden argument*/NULL); CultureAwareComparer_t2876040530 * L_3 = (CultureAwareComparer_t2876040530 *)il2cpp_codegen_object_new(CultureAwareComparer_t2876040530_il2cpp_TypeInfo_var); CultureAwareComparer__ctor_m3948021717(L_3, L_2, (bool)0, /*hidden argument*/NULL); ((StringComparer_t4058118931_StaticFields*)StringComparer_t4058118931_il2cpp_TypeInfo_var->static_fields)->set_invariantCulture_1(L_3); OrdinalComparer_t1058464051 * L_4 = (OrdinalComparer_t1058464051 *)il2cpp_codegen_object_new(OrdinalComparer_t1058464051_il2cpp_TypeInfo_var); OrdinalComparer__ctor_m98757386(L_4, (bool)1, /*hidden argument*/NULL); ((StringComparer_t4058118931_StaticFields*)StringComparer_t4058118931_il2cpp_TypeInfo_var->static_fields)->set_ordinalIgnoreCase_2(L_4); OrdinalComparer_t1058464051 * L_5 = (OrdinalComparer_t1058464051 *)il2cpp_codegen_object_new(OrdinalComparer_t1058464051_il2cpp_TypeInfo_var); OrdinalComparer__ctor_m98757386(L_5, (bool)0, /*hidden argument*/NULL); ((StringComparer_t4058118931_StaticFields*)StringComparer_t4058118931_il2cpp_TypeInfo_var->static_fields)->set_ordinal_3(L_5); return; } } // System.StringComparer System.StringComparer::get_InvariantCultureIgnoreCase() extern TypeInfo* StringComparer_t4058118931_il2cpp_TypeInfo_var; extern const uint32_t StringComparer_get_InvariantCultureIgnoreCase_m3518508912_MetadataUsageId; extern "C" StringComparer_t4058118931 * StringComparer_get_InvariantCultureIgnoreCase_m3518508912 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringComparer_get_InvariantCultureIgnoreCase_m3518508912_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(StringComparer_t4058118931_il2cpp_TypeInfo_var); StringComparer_t4058118931 * L_0 = ((StringComparer_t4058118931_StaticFields*)StringComparer_t4058118931_il2cpp_TypeInfo_var->static_fields)->get_invariantCultureIgnoreCase_0(); return L_0; } } // System.StringComparer System.StringComparer::get_Ordinal() extern TypeInfo* StringComparer_t4058118931_il2cpp_TypeInfo_var; extern const uint32_t StringComparer_get_Ordinal_m2543279027_MetadataUsageId; extern "C" StringComparer_t4058118931 * StringComparer_get_Ordinal_m2543279027 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringComparer_get_Ordinal_m2543279027_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(StringComparer_t4058118931_il2cpp_TypeInfo_var); StringComparer_t4058118931 * L_0 = ((StringComparer_t4058118931_StaticFields*)StringComparer_t4058118931_il2cpp_TypeInfo_var->static_fields)->get_ordinal_3(); return L_0; } } // System.StringComparer System.StringComparer::get_OrdinalIgnoreCase() extern TypeInfo* StringComparer_t4058118931_il2cpp_TypeInfo_var; extern const uint32_t StringComparer_get_OrdinalIgnoreCase_m2513153269_MetadataUsageId; extern "C" StringComparer_t4058118931 * StringComparer_get_OrdinalIgnoreCase_m2513153269 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringComparer_get_OrdinalIgnoreCase_m2513153269_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(StringComparer_t4058118931_il2cpp_TypeInfo_var); StringComparer_t4058118931 * L_0 = ((StringComparer_t4058118931_StaticFields*)StringComparer_t4058118931_il2cpp_TypeInfo_var->static_fields)->get_ordinalIgnoreCase_2(); return L_0; } } // System.Int32 System.StringComparer::Compare(System.Object,System.Object) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* IComparable_t1596950936_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern const uint32_t StringComparer_Compare_m3931640044_MetadataUsageId; extern "C" int32_t StringComparer_Compare_m3931640044 (StringComparer_t4058118931 * __this, Il2CppObject * ___x, Il2CppObject * ___y, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringComparer_Compare_m3931640044_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; String_t* V_1 = NULL; Il2CppObject * V_2 = NULL; { Il2CppObject * L_0 = ___x; Il2CppObject * L_1 = ___y; if ((!(((Il2CppObject*)(Il2CppObject *)L_0) == ((Il2CppObject*)(Il2CppObject *)L_1)))) { goto IL_0009; } } { return 0; } IL_0009: { Il2CppObject * L_2 = ___x; if (L_2) { goto IL_0011; } } { return (-1); } IL_0011: { Il2CppObject * L_3 = ___y; if (L_3) { goto IL_0019; } } { return 1; } IL_0019: { Il2CppObject * L_4 = ___x; V_0 = ((String_t*)IsInstSealed(L_4, String_t_il2cpp_TypeInfo_var)); String_t* L_5 = V_0; if (!L_5) { goto IL_003c; } } { Il2CppObject * L_6 = ___y; V_1 = ((String_t*)IsInstSealed(L_6, String_t_il2cpp_TypeInfo_var)); String_t* L_7 = V_1; if (!L_7) { goto IL_003c; } } { String_t* L_8 = V_0; String_t* L_9 = V_1; int32_t L_10 = VirtFuncInvoker2< int32_t, String_t*, String_t* >::Invoke(10 /* System.Int32 System.StringComparer::Compare(System.String,System.String) */, __this, L_8, L_9); return L_10; } IL_003c: { Il2CppObject * L_11 = ___x; V_2 = ((Il2CppObject *)IsInst(L_11, IComparable_t1596950936_il2cpp_TypeInfo_var)); Il2CppObject * L_12 = V_2; if (L_12) { goto IL_004f; } } { ArgumentException_t124305799 * L_13 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m571182463(L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_13); } IL_004f: { Il2CppObject * L_14 = V_2; Il2CppObject * L_15 = ___y; NullCheck(L_14); int32_t L_16 = InterfaceFuncInvoker1< int32_t, Il2CppObject * >::Invoke(0 /* System.Int32 System.IComparable::CompareTo(System.Object) */, IComparable_t1596950936_il2cpp_TypeInfo_var, L_14, L_15); return L_16; } } // System.Boolean System.StringComparer::Equals(System.Object,System.Object) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t StringComparer_Equals_m1694946776_MetadataUsageId; extern "C" bool StringComparer_Equals_m1694946776 (StringComparer_t4058118931 * __this, Il2CppObject * ___x, Il2CppObject * ___y, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringComparer_Equals_m1694946776_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; String_t* V_1 = NULL; { Il2CppObject * L_0 = ___x; Il2CppObject * L_1 = ___y; if ((!(((Il2CppObject*)(Il2CppObject *)L_0) == ((Il2CppObject*)(Il2CppObject *)L_1)))) { goto IL_0009; } } { return (bool)1; } IL_0009: { Il2CppObject * L_2 = ___x; if (!L_2) { goto IL_0015; } } { Il2CppObject * L_3 = ___y; if (L_3) { goto IL_0017; } } IL_0015: { return (bool)0; } IL_0017: { Il2CppObject * L_4 = ___x; V_0 = ((String_t*)IsInstSealed(L_4, String_t_il2cpp_TypeInfo_var)); String_t* L_5 = V_0; if (!L_5) { goto IL_003a; } } { Il2CppObject * L_6 = ___y; V_1 = ((String_t*)IsInstSealed(L_6, String_t_il2cpp_TypeInfo_var)); String_t* L_7 = V_1; if (!L_7) { goto IL_003a; } } { String_t* L_8 = V_0; String_t* L_9 = V_1; bool L_10 = VirtFuncInvoker2< bool, String_t*, String_t* >::Invoke(11 /* System.Boolean System.StringComparer::Equals(System.String,System.String) */, __this, L_8, L_9); return L_10; } IL_003a: { Il2CppObject * L_11 = ___x; Il2CppObject * L_12 = ___y; NullCheck(L_11); bool L_13 = VirtFuncInvoker1< bool, Il2CppObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_11, L_12); return L_13; } } // System.Int32 System.StringComparer::GetHashCode(System.Object) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral109815; extern const uint32_t StringComparer_GetHashCode_m1067393138_MetadataUsageId; extern "C" int32_t StringComparer_GetHashCode_m1067393138 (StringComparer_t4058118931 * __this, Il2CppObject * ___obj, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringComparer_GetHashCode_m1067393138_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; int32_t G_B5_0 = 0; { Il2CppObject * L_0 = ___obj; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral109815, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { Il2CppObject * L_2 = ___obj; V_0 = ((String_t*)IsInstSealed(L_2, String_t_il2cpp_TypeInfo_var)); String_t* L_3 = V_0; if (L_3) { goto IL_0029; } } { Il2CppObject * L_4 = ___obj; NullCheck(L_4); int32_t L_5 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, L_4); G_B5_0 = L_5; goto IL_0030; } IL_0029: { String_t* L_6 = V_0; int32_t L_7 = VirtFuncInvoker1< int32_t, String_t* >::Invoke(12 /* System.Int32 System.StringComparer::GetHashCode(System.String) */, __this, L_6); G_B5_0 = L_7; } IL_0030: { return G_B5_0; } } // System.Void System.SystemException::.ctor() extern Il2CppCodeGenString* _stringLiteral50558048; extern const uint32_t SystemException__ctor_m677430257_MetadataUsageId; extern "C" void SystemException__ctor_m677430257 (SystemException_t3155420757 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (SystemException__ctor_m677430257_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = Locale_GetText_m2389348044(NULL /*static, unused*/, _stringLiteral50558048, /*hidden argument*/NULL); Exception__ctor_m3870771296(__this, L_0, /*hidden argument*/NULL); Exception_set_HResult_m3566571225(__this, ((int32_t)-2146233087), /*hidden argument*/NULL); return; } } // System.Void System.SystemException::.ctor(System.String) extern "C" void SystemException__ctor_m3697314481 (SystemException_t3155420757 * __this, String_t* ___message, const MethodInfo* method) { { String_t* L_0 = ___message; Exception__ctor_m3870771296(__this, L_0, /*hidden argument*/NULL); Exception_set_HResult_m3566571225(__this, ((int32_t)-2146233087), /*hidden argument*/NULL); return; } } // System.Void System.SystemException::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) extern "C" void SystemException__ctor_m2083527090 (SystemException_t3155420757 * __this, SerializationInfo_t2995724695 * ___info, StreamingContext_t986364934 ___context, const MethodInfo* method) { { SerializationInfo_t2995724695 * L_0 = ___info; StreamingContext_t986364934 L_1 = ___context; Exception__ctor_m3602014243(__this, L_0, L_1, /*hidden argument*/NULL); return; } } // System.Void System.SystemException::.ctor(System.String,System.Exception) extern "C" void SystemException__ctor_m253088421 (SystemException_t3155420757 * __this, String_t* ___message, Exception_t1967233988 * ___innerException, const MethodInfo* method) { { String_t* L_0 = ___message; Exception_t1967233988 * L_1 = ___innerException; Exception__ctor_m1328171222(__this, L_0, L_1, /*hidden argument*/NULL); Exception_set_HResult_m3566571225(__this, ((int32_t)-2146233087), /*hidden argument*/NULL); return; } } // System.Void System.Text.ASCIIEncoding::.ctor() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2410472290; extern Il2CppCodeGenString* _stringLiteral4109231938; extern const uint32_t ASCIIEncoding__ctor_m3312307762_MetadataUsageId; extern "C" void ASCIIEncoding__ctor_m3312307762 (ASCIIEncoding_t15734376 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ASCIIEncoding__ctor_m3312307762_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding__ctor_m1203666318(__this, ((int32_t)20127), /*hidden argument*/NULL); String_t* L_0 = _stringLiteral2410472290; V_0 = L_0; ((Encoding_t180559927 *)__this)->set_web_name_15(L_0); String_t* L_1 = V_0; String_t* L_2 = L_1; V_0 = L_2; ((Encoding_t180559927 *)__this)->set_header_name_10(L_2); String_t* L_3 = V_0; ((Encoding_t180559927 *)__this)->set_body_name_8(L_3); ((Encoding_t180559927 *)__this)->set_encoding_name_9(_stringLiteral4109231938); ((Encoding_t180559927 *)__this)->set_is_mail_news_display_11((bool)1); ((Encoding_t180559927 *)__this)->set_is_mail_news_save_12((bool)1); return; } } // System.Int32 System.Text.ASCIIEncoding::GetByteCount(System.Char[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t ASCIIEncoding_GetByteCount_m2816111956_MetadataUsageId; extern "C" int32_t ASCIIEncoding_GetByteCount_m2816111956 (ASCIIEncoding_t15734376 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ASCIIEncoding_GetByteCount_m2816111956_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; CharU5BU5D_t3416858730* L_4 = ___chars; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; CharU5BU5D_t3416858730* L_9 = ___chars; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { int32_t L_13 = ___count; return L_13; } } // System.Int32 System.Text.ASCIIEncoding::GetByteCount(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern const uint32_t ASCIIEncoding_GetByteCount_m3333440827_MetadataUsageId; extern "C" int32_t ASCIIEncoding_GetByteCount_m3333440827 (ASCIIEncoding_t15734376 * __this, String_t* ___chars, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ASCIIEncoding_GetByteCount_m3333440827_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { String_t* L_2 = ___chars; NullCheck(L_2); int32_t L_3 = String_get_Length_m2979997331(L_2, /*hidden argument*/NULL); return L_3; } } // System.Int32 System.Text.ASCIIEncoding::GetBytes(System.Char[],System.Int32,System.Int32,System.Byte[],System.Int32) extern "C" int32_t ASCIIEncoding_GetBytes_m1888860132 (ASCIIEncoding_t15734376 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, const MethodInfo* method) { EncoderFallbackBuffer_t2042758306 * V_0 = NULL; CharU5BU5D_t3416858730* V_1 = NULL; { V_0 = (EncoderFallbackBuffer_t2042758306 *)NULL; V_1 = (CharU5BU5D_t3416858730*)NULL; CharU5BU5D_t3416858730* L_0 = ___chars; int32_t L_1 = ___charIndex; int32_t L_2 = ___charCount; ByteU5BU5D_t58506160* L_3 = ___bytes; int32_t L_4 = ___byteIndex; int32_t L_5 = ASCIIEncoding_GetBytes_m1102371839(__this, L_0, L_1, L_2, L_3, L_4, (&V_0), (&V_1), /*hidden argument*/NULL); return L_5; } } // System.Int32 System.Text.ASCIIEncoding::GetBytes(System.Char[],System.Int32,System.Int32,System.Byte[],System.Int32,System.Text.EncoderFallbackBuffer&,System.Char[]&) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* Char_t2778706699_il2cpp_TypeInfo_var; extern TypeInfo* CharU5BU5D_t3416858730_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t ASCIIEncoding_GetBytes_m1102371839_MetadataUsageId; extern "C" int32_t ASCIIEncoding_GetBytes_m1102371839 (ASCIIEncoding_t15734376 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, EncoderFallbackBuffer_t2042758306 ** ___buffer, CharU5BU5D_t3416858730** ___fallback_chars, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ASCIIEncoding_GetBytes_m1102371839_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint16_t V_1 = 0x0; int32_t V_2 = 0; { CharU5BU5D_t3416858730* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___bytes; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___charIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0033; } } { int32_t L_5 = ___charIndex; CharU5BU5D_t3416858730* L_6 = ___chars; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0048; } } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral1542343452, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0048: { int32_t L_9 = ___charCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_005a; } } { int32_t L_10 = ___charCount; CharU5BU5D_t3416858730* L_11 = ___chars; NullCheck(L_11); int32_t L_12 = ___charIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006f; } } IL_005a: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral1536848729, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006f: { int32_t L_15 = ___byteIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0082; } } { int32_t L_16 = ___byteIndex; ByteU5BU5D_t58506160* L_17 = ___bytes; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0097; } } IL_0082: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral2223324330, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0097: { ByteU5BU5D_t58506160* L_20 = ___bytes; NullCheck(L_20); int32_t L_21 = ___byteIndex; int32_t L_22 = ___charCount; if ((((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_20)->max_length))))-(int32_t)L_21))) >= ((int32_t)L_22))) { goto IL_00b4; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_23 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_24 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_24, L_23, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_24); } IL_00b4: { int32_t L_25 = ___charCount; V_0 = L_25; goto IL_01a5; } IL_00bb: { CharU5BU5D_t3416858730* L_26 = ___chars; int32_t L_27 = ___charIndex; int32_t L_28 = L_27; ___charIndex = ((int32_t)((int32_t)L_28+(int32_t)1)); NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, L_28); int32_t L_29 = L_28; V_1 = ((L_26)->GetAt(static_cast<il2cpp_array_size_t>(L_29))); uint16_t L_30 = V_1; if ((((int32_t)L_30) >= ((int32_t)((int32_t)128)))) { goto IL_00e0; } } { ByteU5BU5D_t58506160* L_31 = ___bytes; int32_t L_32 = ___byteIndex; int32_t L_33 = L_32; ___byteIndex = ((int32_t)((int32_t)L_33+(int32_t)1)); uint16_t L_34 = V_1; NullCheck(L_31); IL2CPP_ARRAY_BOUNDS_CHECK(L_31, L_33); (L_31)->SetAt(static_cast<il2cpp_array_size_t>(L_33), (uint8_t)(((int32_t)((uint8_t)L_34)))); goto IL_01a5; } IL_00e0: { EncoderFallbackBuffer_t2042758306 ** L_35 = ___buffer; if ((*((EncoderFallbackBuffer_t2042758306 **)L_35))) { goto IL_00f6; } } { EncoderFallbackBuffer_t2042758306 ** L_36 = ___buffer; EncoderFallback_t990837442 * L_37 = Encoding_get_EncoderFallback_m252351353(__this, /*hidden argument*/NULL); NullCheck(L_37); EncoderFallbackBuffer_t2042758306 * L_38 = VirtFuncInvoker0< EncoderFallbackBuffer_t2042758306 * >::Invoke(4 /* System.Text.EncoderFallbackBuffer System.Text.EncoderFallback::CreateFallbackBuffer() */, L_37); *((Il2CppObject **)(L_36)) = (Il2CppObject *)L_38; Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_36), (Il2CppObject *)L_38); } IL_00f6: { uint16_t L_39 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_40 = Char_IsSurrogate_m3822546544(NULL /*static, unused*/, L_39, /*hidden argument*/NULL); if (!L_40) { goto IL_012f; } } { int32_t L_41 = V_0; if ((((int32_t)L_41) <= ((int32_t)1))) { goto IL_012f; } } { CharU5BU5D_t3416858730* L_42 = ___chars; int32_t L_43 = ___charIndex; NullCheck(L_42); IL2CPP_ARRAY_BOUNDS_CHECK(L_42, L_43); int32_t L_44 = L_43; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_45 = Char_IsSurrogate_m3822546544(NULL /*static, unused*/, ((L_42)->GetAt(static_cast<il2cpp_array_size_t>(L_44))), /*hidden argument*/NULL); if (!L_45) { goto IL_012f; } } { EncoderFallbackBuffer_t2042758306 ** L_46 = ___buffer; uint16_t L_47 = V_1; CharU5BU5D_t3416858730* L_48 = ___chars; int32_t L_49 = ___charIndex; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, L_49); int32_t L_50 = L_49; int32_t L_51 = ___charIndex; int32_t L_52 = L_51; ___charIndex = ((int32_t)((int32_t)L_52+(int32_t)1)); NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_46))); VirtFuncInvoker3< bool, uint16_t, uint16_t, int32_t >::Invoke(6 /* System.Boolean System.Text.EncoderFallbackBuffer::Fallback(System.Char,System.Char,System.Int32) */, (*((EncoderFallbackBuffer_t2042758306 **)L_46)), L_47, ((L_48)->GetAt(static_cast<il2cpp_array_size_t>(L_50))), ((int32_t)((int32_t)L_52-(int32_t)1))); goto IL_013c; } IL_012f: { EncoderFallbackBuffer_t2042758306 ** L_53 = ___buffer; uint16_t L_54 = V_1; int32_t L_55 = ___charIndex; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_53))); VirtFuncInvoker2< bool, uint16_t, int32_t >::Invoke(5 /* System.Boolean System.Text.EncoderFallbackBuffer::Fallback(System.Char,System.Int32) */, (*((EncoderFallbackBuffer_t2042758306 **)L_53)), L_54, ((int32_t)((int32_t)L_55-(int32_t)1))); } IL_013c: { CharU5BU5D_t3416858730** L_56 = ___fallback_chars; if (!(*((CharU5BU5D_t3416858730**)L_56))) { goto IL_0156; } } { CharU5BU5D_t3416858730** L_57 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_57))); EncoderFallbackBuffer_t2042758306 ** L_58 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_58))); int32_t L_59 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Text.EncoderFallbackBuffer::get_Remaining() */, (*((EncoderFallbackBuffer_t2042758306 **)L_58))); if ((((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_57)))->max_length))))) >= ((int32_t)L_59))) { goto IL_0166; } } IL_0156: { CharU5BU5D_t3416858730** L_60 = ___fallback_chars; EncoderFallbackBuffer_t2042758306 ** L_61 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_61))); int32_t L_62 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Text.EncoderFallbackBuffer::get_Remaining() */, (*((EncoderFallbackBuffer_t2042758306 **)L_61))); *((Il2CppObject **)(L_60)) = (Il2CppObject *)((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_62)); Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_60), (Il2CppObject *)((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_62))); } IL_0166: { V_2 = 0; goto IL_017e; } IL_016d: { CharU5BU5D_t3416858730** L_63 = ___fallback_chars; int32_t L_64 = V_2; EncoderFallbackBuffer_t2042758306 ** L_65 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_65))); uint16_t L_66 = VirtFuncInvoker0< uint16_t >::Invoke(7 /* System.Char System.Text.EncoderFallbackBuffer::GetNextChar() */, (*((EncoderFallbackBuffer_t2042758306 **)L_65))); NullCheck((*((CharU5BU5D_t3416858730**)L_63))); IL2CPP_ARRAY_BOUNDS_CHECK((*((CharU5BU5D_t3416858730**)L_63)), L_64); ((*((CharU5BU5D_t3416858730**)L_63)))->SetAt(static_cast<il2cpp_array_size_t>(L_64), (uint16_t)L_66); int32_t L_67 = V_2; V_2 = ((int32_t)((int32_t)L_67+(int32_t)1)); } IL_017e: { int32_t L_68 = V_2; CharU5BU5D_t3416858730** L_69 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_69))); if ((((int32_t)L_68) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_69)))->max_length))))))) { goto IL_016d; } } { int32_t L_70 = ___byteIndex; CharU5BU5D_t3416858730** L_71 = ___fallback_chars; CharU5BU5D_t3416858730** L_72 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_72))); ByteU5BU5D_t58506160* L_73 = ___bytes; int32_t L_74 = ___byteIndex; EncoderFallbackBuffer_t2042758306 ** L_75 = ___buffer; CharU5BU5D_t3416858730** L_76 = ___fallback_chars; int32_t L_77 = ASCIIEncoding_GetBytes_m1102371839(__this, (*((CharU5BU5D_t3416858730**)L_71)), 0, (((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_72)))->max_length)))), L_73, L_74, L_75, L_76, /*hidden argument*/NULL); ___byteIndex = ((int32_t)((int32_t)L_70+(int32_t)L_77)); } IL_01a5: { int32_t L_78 = V_0; int32_t L_79 = L_78; V_0 = ((int32_t)((int32_t)L_79-(int32_t)1)); if ((((int32_t)L_79) > ((int32_t)0))) { goto IL_00bb; } } { int32_t L_80 = ___charCount; return L_80; } } // System.Int32 System.Text.ASCIIEncoding::GetBytes(System.String,System.Int32,System.Int32,System.Byte[],System.Int32) extern "C" int32_t ASCIIEncoding_GetBytes_m1463138813 (ASCIIEncoding_t15734376 * __this, String_t* ___chars, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, const MethodInfo* method) { EncoderFallbackBuffer_t2042758306 * V_0 = NULL; CharU5BU5D_t3416858730* V_1 = NULL; { V_0 = (EncoderFallbackBuffer_t2042758306 *)NULL; V_1 = (CharU5BU5D_t3416858730*)NULL; String_t* L_0 = ___chars; int32_t L_1 = ___charIndex; int32_t L_2 = ___charCount; ByteU5BU5D_t58506160* L_3 = ___bytes; int32_t L_4 = ___byteIndex; int32_t L_5 = ASCIIEncoding_GetBytes_m4012262872(__this, L_0, L_1, L_2, L_3, L_4, (&V_0), (&V_1), /*hidden argument*/NULL); return L_5; } } // System.Int32 System.Text.ASCIIEncoding::GetBytes(System.String,System.Int32,System.Int32,System.Byte[],System.Int32,System.Text.EncoderFallbackBuffer&,System.Char[]&) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* Char_t2778706699_il2cpp_TypeInfo_var; extern TypeInfo* CharU5BU5D_t3416858730_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral1151580041; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral1159514100; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t ASCIIEncoding_GetBytes_m4012262872_MetadataUsageId; extern "C" int32_t ASCIIEncoding_GetBytes_m4012262872 (ASCIIEncoding_t15734376 * __this, String_t* ___chars, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, EncoderFallbackBuffer_t2042758306 ** ___buffer, CharU5BU5D_t3416858730** ___fallback_chars, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ASCIIEncoding_GetBytes_m4012262872_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint16_t V_1 = 0x0; int32_t V_2 = 0; { String_t* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___bytes; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___charIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0036; } } { int32_t L_5 = ___charIndex; String_t* L_6 = ___chars; NullCheck(L_6); int32_t L_7 = String_get_Length_m2979997331(L_6, /*hidden argument*/NULL); if ((((int32_t)L_5) <= ((int32_t)L_7))) { goto IL_004b; } } IL_0036: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_8 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1151580041, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_9 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_9, _stringLiteral1542343452, L_8, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_004b: { int32_t L_10 = ___charCount; if ((((int32_t)L_10) < ((int32_t)0))) { goto IL_0060; } } { int32_t L_11 = ___charCount; String_t* L_12 = ___chars; NullCheck(L_12); int32_t L_13 = String_get_Length_m2979997331(L_12, /*hidden argument*/NULL); int32_t L_14 = ___charIndex; if ((((int32_t)L_11) <= ((int32_t)((int32_t)((int32_t)L_13-(int32_t)L_14))))) { goto IL_0075; } } IL_0060: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_15 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1159514100, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_16 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_16, _stringLiteral1536848729, L_15, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_16); } IL_0075: { int32_t L_17 = ___byteIndex; if ((((int32_t)L_17) < ((int32_t)0))) { goto IL_0088; } } { int32_t L_18 = ___byteIndex; ByteU5BU5D_t58506160* L_19 = ___bytes; NullCheck(L_19); if ((((int32_t)L_18) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_19)->max_length))))))) { goto IL_009d; } } IL_0088: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_20 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_21 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_21, _stringLiteral2223324330, L_20, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_21); } IL_009d: { ByteU5BU5D_t58506160* L_22 = ___bytes; NullCheck(L_22); int32_t L_23 = ___byteIndex; int32_t L_24 = ___charCount; if ((((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_22)->max_length))))-(int32_t)L_23))) >= ((int32_t)L_24))) { goto IL_00ba; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_25 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_26 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_26, L_25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_26); } IL_00ba: { int32_t L_27 = ___charCount; V_0 = L_27; goto IL_01b7; } IL_00c1: { String_t* L_28 = ___chars; int32_t L_29 = ___charIndex; int32_t L_30 = L_29; ___charIndex = ((int32_t)((int32_t)L_30+(int32_t)1)); NullCheck(L_28); uint16_t L_31 = String_get_Chars_m3015341861(L_28, L_30, /*hidden argument*/NULL); V_1 = L_31; uint16_t L_32 = V_1; if ((((int32_t)L_32) >= ((int32_t)((int32_t)128)))) { goto IL_00ea; } } { ByteU5BU5D_t58506160* L_33 = ___bytes; int32_t L_34 = ___byteIndex; int32_t L_35 = L_34; ___byteIndex = ((int32_t)((int32_t)L_35+(int32_t)1)); uint16_t L_36 = V_1; NullCheck(L_33); IL2CPP_ARRAY_BOUNDS_CHECK(L_33, L_35); (L_33)->SetAt(static_cast<il2cpp_array_size_t>(L_35), (uint8_t)(((int32_t)((uint8_t)L_36)))); goto IL_01b7; } IL_00ea: { EncoderFallbackBuffer_t2042758306 ** L_37 = ___buffer; if ((*((EncoderFallbackBuffer_t2042758306 **)L_37))) { goto IL_0100; } } { EncoderFallbackBuffer_t2042758306 ** L_38 = ___buffer; EncoderFallback_t990837442 * L_39 = Encoding_get_EncoderFallback_m252351353(__this, /*hidden argument*/NULL); NullCheck(L_39); EncoderFallbackBuffer_t2042758306 * L_40 = VirtFuncInvoker0< EncoderFallbackBuffer_t2042758306 * >::Invoke(4 /* System.Text.EncoderFallbackBuffer System.Text.EncoderFallback::CreateFallbackBuffer() */, L_39); *((Il2CppObject **)(L_38)) = (Il2CppObject *)L_40; Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_38), (Il2CppObject *)L_40); } IL_0100: { uint16_t L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_42 = Char_IsSurrogate_m3822546544(NULL /*static, unused*/, L_41, /*hidden argument*/NULL); if (!L_42) { goto IL_0141; } } { int32_t L_43 = V_0; if ((((int32_t)L_43) <= ((int32_t)1))) { goto IL_0141; } } { String_t* L_44 = ___chars; int32_t L_45 = ___charIndex; NullCheck(L_44); uint16_t L_46 = String_get_Chars_m3015341861(L_44, L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_47 = Char_IsSurrogate_m3822546544(NULL /*static, unused*/, L_46, /*hidden argument*/NULL); if (!L_47) { goto IL_0141; } } { EncoderFallbackBuffer_t2042758306 ** L_48 = ___buffer; uint16_t L_49 = V_1; String_t* L_50 = ___chars; int32_t L_51 = ___charIndex; NullCheck(L_50); uint16_t L_52 = String_get_Chars_m3015341861(L_50, L_51, /*hidden argument*/NULL); int32_t L_53 = ___charIndex; int32_t L_54 = L_53; ___charIndex = ((int32_t)((int32_t)L_54+(int32_t)1)); NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_48))); VirtFuncInvoker3< bool, uint16_t, uint16_t, int32_t >::Invoke(6 /* System.Boolean System.Text.EncoderFallbackBuffer::Fallback(System.Char,System.Char,System.Int32) */, (*((EncoderFallbackBuffer_t2042758306 **)L_48)), L_49, L_52, ((int32_t)((int32_t)L_54-(int32_t)1))); goto IL_014e; } IL_0141: { EncoderFallbackBuffer_t2042758306 ** L_55 = ___buffer; uint16_t L_56 = V_1; int32_t L_57 = ___charIndex; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_55))); VirtFuncInvoker2< bool, uint16_t, int32_t >::Invoke(5 /* System.Boolean System.Text.EncoderFallbackBuffer::Fallback(System.Char,System.Int32) */, (*((EncoderFallbackBuffer_t2042758306 **)L_55)), L_56, ((int32_t)((int32_t)L_57-(int32_t)1))); } IL_014e: { CharU5BU5D_t3416858730** L_58 = ___fallback_chars; if (!(*((CharU5BU5D_t3416858730**)L_58))) { goto IL_0168; } } { CharU5BU5D_t3416858730** L_59 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_59))); EncoderFallbackBuffer_t2042758306 ** L_60 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_60))); int32_t L_61 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Text.EncoderFallbackBuffer::get_Remaining() */, (*((EncoderFallbackBuffer_t2042758306 **)L_60))); if ((((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_59)))->max_length))))) >= ((int32_t)L_61))) { goto IL_0178; } } IL_0168: { CharU5BU5D_t3416858730** L_62 = ___fallback_chars; EncoderFallbackBuffer_t2042758306 ** L_63 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_63))); int32_t L_64 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Text.EncoderFallbackBuffer::get_Remaining() */, (*((EncoderFallbackBuffer_t2042758306 **)L_63))); *((Il2CppObject **)(L_62)) = (Il2CppObject *)((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_64)); Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_62), (Il2CppObject *)((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_64))); } IL_0178: { V_2 = 0; goto IL_0190; } IL_017f: { CharU5BU5D_t3416858730** L_65 = ___fallback_chars; int32_t L_66 = V_2; EncoderFallbackBuffer_t2042758306 ** L_67 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_67))); uint16_t L_68 = VirtFuncInvoker0< uint16_t >::Invoke(7 /* System.Char System.Text.EncoderFallbackBuffer::GetNextChar() */, (*((EncoderFallbackBuffer_t2042758306 **)L_67))); NullCheck((*((CharU5BU5D_t3416858730**)L_65))); IL2CPP_ARRAY_BOUNDS_CHECK((*((CharU5BU5D_t3416858730**)L_65)), L_66); ((*((CharU5BU5D_t3416858730**)L_65)))->SetAt(static_cast<il2cpp_array_size_t>(L_66), (uint16_t)L_68); int32_t L_69 = V_2; V_2 = ((int32_t)((int32_t)L_69+(int32_t)1)); } IL_0190: { int32_t L_70 = V_2; CharU5BU5D_t3416858730** L_71 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_71))); if ((((int32_t)L_70) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_71)))->max_length))))))) { goto IL_017f; } } { int32_t L_72 = ___byteIndex; CharU5BU5D_t3416858730** L_73 = ___fallback_chars; CharU5BU5D_t3416858730** L_74 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_74))); ByteU5BU5D_t58506160* L_75 = ___bytes; int32_t L_76 = ___byteIndex; EncoderFallbackBuffer_t2042758306 ** L_77 = ___buffer; CharU5BU5D_t3416858730** L_78 = ___fallback_chars; int32_t L_79 = ASCIIEncoding_GetBytes_m1102371839(__this, (*((CharU5BU5D_t3416858730**)L_73)), 0, (((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_74)))->max_length)))), L_75, L_76, L_77, L_78, /*hidden argument*/NULL); ___byteIndex = ((int32_t)((int32_t)L_72+(int32_t)L_79)); } IL_01b7: { int32_t L_80 = V_0; int32_t L_81 = L_80; V_0 = ((int32_t)((int32_t)L_81-(int32_t)1)); if ((((int32_t)L_81) > ((int32_t)0))) { goto IL_00c1; } } { int32_t L_82 = ___charCount; return L_82; } } // System.Int32 System.Text.ASCIIEncoding::GetCharCount(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t ASCIIEncoding_GetCharCount_m1617524400_MetadataUsageId; extern "C" int32_t ASCIIEncoding_GetCharCount_m1617524400 (ASCIIEncoding_t15734376 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ASCIIEncoding_GetCharCount_m1617524400_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; ByteU5BU5D_t58506160* L_4 = ___bytes; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; ByteU5BU5D_t58506160* L_9 = ___bytes; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { int32_t L_13 = ___count; return L_13; } } // System.Int32 System.Text.ASCIIEncoding::GetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32) extern "C" int32_t ASCIIEncoding_GetChars_m4229110870 (ASCIIEncoding_t15734376 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, int32_t ___byteCount, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, const MethodInfo* method) { DecoderFallbackBuffer_t1215858122 * V_0 = NULL; { V_0 = (DecoderFallbackBuffer_t1215858122 *)NULL; ByteU5BU5D_t58506160* L_0 = ___bytes; int32_t L_1 = ___byteIndex; int32_t L_2 = ___byteCount; CharU5BU5D_t3416858730* L_3 = ___chars; int32_t L_4 = ___charIndex; int32_t L_5 = ASCIIEncoding_GetChars_m608322798(__this, L_0, L_1, L_2, L_3, L_4, (&V_0), /*hidden argument*/NULL); return L_5; } } // System.Int32 System.Text.ASCIIEncoding::GetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32,System.Text.DecoderFallbackBuffer&) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t ASCIIEncoding_GetChars_m608322798_MetadataUsageId; extern "C" int32_t ASCIIEncoding_GetChars_m608322798 (ASCIIEncoding_t15734376 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, int32_t ___byteCount, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, DecoderFallbackBuffer_t1215858122 ** ___buffer, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ASCIIEncoding_GetChars_m608322798_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint16_t V_1 = 0x0; { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { CharU5BU5D_t3416858730* L_2 = ___chars; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___byteIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0033; } } { int32_t L_5 = ___byteIndex; ByteU5BU5D_t58506160* L_6 = ___bytes; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0048; } } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral2223324330, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0048: { int32_t L_9 = ___byteCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_005a; } } { int32_t L_10 = ___byteCount; ByteU5BU5D_t58506160* L_11 = ___bytes; NullCheck(L_11); int32_t L_12 = ___byteIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006f; } } IL_005a: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral2217829607, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006f: { int32_t L_15 = ___charIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0082; } } { int32_t L_16 = ___charIndex; CharU5BU5D_t3416858730* L_17 = ___chars; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0097; } } IL_0082: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral1542343452, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0097: { CharU5BU5D_t3416858730* L_20 = ___chars; NullCheck(L_20); int32_t L_21 = ___charIndex; int32_t L_22 = ___byteCount; if ((((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_20)->max_length))))-(int32_t)L_21))) >= ((int32_t)L_22))) { goto IL_00b4; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_23 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_24 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_24, L_23, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_24); } IL_00b4: { int32_t L_25 = ___byteCount; V_0 = L_25; goto IL_0126; } IL_00bb: { ByteU5BU5D_t58506160* L_26 = ___bytes; int32_t L_27 = ___byteIndex; int32_t L_28 = L_27; ___byteIndex = ((int32_t)((int32_t)L_28+(int32_t)1)); NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, L_28); int32_t L_29 = L_28; V_1 = (((int32_t)((uint16_t)((L_26)->GetAt(static_cast<il2cpp_array_size_t>(L_29)))))); uint16_t L_30 = V_1; if ((((int32_t)L_30) >= ((int32_t)((int32_t)128)))) { goto IL_00e0; } } { CharU5BU5D_t3416858730* L_31 = ___chars; int32_t L_32 = ___charIndex; int32_t L_33 = L_32; ___charIndex = ((int32_t)((int32_t)L_33+(int32_t)1)); uint16_t L_34 = V_1; NullCheck(L_31); IL2CPP_ARRAY_BOUNDS_CHECK(L_31, L_33); (L_31)->SetAt(static_cast<il2cpp_array_size_t>(L_33), (uint16_t)L_34); goto IL_0126; } IL_00e0: { DecoderFallbackBuffer_t1215858122 ** L_35 = ___buffer; if ((*((DecoderFallbackBuffer_t1215858122 **)L_35))) { goto IL_00f6; } } { DecoderFallbackBuffer_t1215858122 ** L_36 = ___buffer; DecoderFallback_t4033313258 * L_37 = Encoding_get_DecoderFallback_m3409202121(__this, /*hidden argument*/NULL); NullCheck(L_37); DecoderFallbackBuffer_t1215858122 * L_38 = VirtFuncInvoker0< DecoderFallbackBuffer_t1215858122 * >::Invoke(4 /* System.Text.DecoderFallbackBuffer System.Text.DecoderFallback::CreateFallbackBuffer() */, L_37); *((Il2CppObject **)(L_36)) = (Il2CppObject *)L_38; Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_36), (Il2CppObject *)L_38); } IL_00f6: { DecoderFallbackBuffer_t1215858122 ** L_39 = ___buffer; ByteU5BU5D_t58506160* L_40 = ___bytes; int32_t L_41 = ___byteIndex; NullCheck((*((DecoderFallbackBuffer_t1215858122 **)L_39))); VirtFuncInvoker2< bool, ByteU5BU5D_t58506160*, int32_t >::Invoke(5 /* System.Boolean System.Text.DecoderFallbackBuffer::Fallback(System.Byte[],System.Int32) */, (*((DecoderFallbackBuffer_t1215858122 **)L_39)), L_40, L_41); goto IL_0118; } IL_0106: { CharU5BU5D_t3416858730* L_42 = ___chars; int32_t L_43 = ___charIndex; int32_t L_44 = L_43; ___charIndex = ((int32_t)((int32_t)L_44+(int32_t)1)); DecoderFallbackBuffer_t1215858122 ** L_45 = ___buffer; NullCheck((*((DecoderFallbackBuffer_t1215858122 **)L_45))); uint16_t L_46 = VirtFuncInvoker0< uint16_t >::Invoke(6 /* System.Char System.Text.DecoderFallbackBuffer::GetNextChar() */, (*((DecoderFallbackBuffer_t1215858122 **)L_45))); NullCheck(L_42); IL2CPP_ARRAY_BOUNDS_CHECK(L_42, L_44); (L_42)->SetAt(static_cast<il2cpp_array_size_t>(L_44), (uint16_t)L_46); } IL_0118: { DecoderFallbackBuffer_t1215858122 ** L_47 = ___buffer; NullCheck((*((DecoderFallbackBuffer_t1215858122 **)L_47))); int32_t L_48 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Text.DecoderFallbackBuffer::get_Remaining() */, (*((DecoderFallbackBuffer_t1215858122 **)L_47))); if ((((int32_t)L_48) > ((int32_t)0))) { goto IL_0106; } } IL_0126: { int32_t L_49 = V_0; int32_t L_50 = L_49; V_0 = ((int32_t)((int32_t)L_50-(int32_t)1)); if ((((int32_t)L_50) > ((int32_t)0))) { goto IL_00bb; } } { int32_t L_51 = ___byteCount; return L_51; } } // System.Int32 System.Text.ASCIIEncoding::GetMaxByteCount(System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral1982364266; extern const uint32_t ASCIIEncoding_GetMaxByteCount_m2951644310_MetadataUsageId; extern "C" int32_t ASCIIEncoding_GetMaxByteCount_m2951644310 (ASCIIEncoding_t15734376 * __this, int32_t ___charCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ASCIIEncoding_GetMaxByteCount_m2951644310_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___charCount; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_1 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1982364266, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral1536848729, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { int32_t L_3 = ___charCount; return L_3; } } // System.Int32 System.Text.ASCIIEncoding::GetMaxCharCount(System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1982364266; extern const uint32_t ASCIIEncoding_GetMaxCharCount_m3743179656_MetadataUsageId; extern "C" int32_t ASCIIEncoding_GetMaxCharCount_m3743179656 (ASCIIEncoding_t15734376 * __this, int32_t ___byteCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ASCIIEncoding_GetMaxCharCount_m3743179656_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___byteCount; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_1 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1982364266, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral2217829607, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { int32_t L_3 = ___byteCount; return L_3; } } // System.String System.Text.ASCIIEncoding::GetString(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral2217829607; extern const uint32_t ASCIIEncoding_GetString_m3750474735_MetadataUsageId; extern "C" String_t* ASCIIEncoding_GetString_m3750474735 (ASCIIEncoding_t15734376 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, int32_t ___byteCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ASCIIEncoding_GetString_m3750474735_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint8_t* V_0 = NULL; String_t* V_1 = NULL; uint16_t* V_2 = NULL; uint8_t* V_3 = NULL; uint8_t* V_4 = NULL; uint16_t* V_5 = NULL; uint8_t V_6 = 0x0; String_t* V_7 = NULL; uintptr_t G_B14_0 = 0; uint16_t* G_B17_0 = NULL; uint16_t* G_B16_0 = NULL; int32_t G_B18_0 = 0; uint16_t* G_B18_1 = NULL; { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___byteIndex; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___byteIndex; ByteU5BU5D_t58506160* L_4 = ___bytes; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral2223324330, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___byteCount; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___byteCount; ByteU5BU5D_t58506160* L_9 = ___bytes; NullCheck(L_9); int32_t L_10 = ___byteIndex; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral2217829607, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { int32_t L_13 = ___byteCount; if (L_13) { goto IL_0069; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_14 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_14; } IL_0069: { ByteU5BU5D_t58506160* L_15 = ___bytes; if (!L_15) { goto IL_0077; } } { ByteU5BU5D_t58506160* L_16 = ___bytes; NullCheck(L_16); if ((((int32_t)((int32_t)(((Il2CppArray *)L_16)->max_length))))) { goto IL_007e; } } IL_0077: { G_B14_0 = (((uintptr_t)0)); goto IL_0085; } IL_007e: { ByteU5BU5D_t58506160* L_17 = ___bytes; NullCheck(L_17); IL2CPP_ARRAY_BOUNDS_CHECK(L_17, 0); G_B14_0 = ((uintptr_t)(((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_0085: { V_0 = (uint8_t*)G_B14_0; int32_t L_18 = ___byteCount; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_19 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_18, /*hidden argument*/NULL); V_1 = L_19; String_t* L_20 = V_1; V_7 = L_20; String_t* L_21 = V_7; int32_t L_22 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_21))+(int32_t)L_22)); uint8_t* L_23 = V_0; int32_t L_24 = ___byteIndex; V_3 = (uint8_t*)((uint8_t*)((intptr_t)L_23+(int32_t)L_24)); uint8_t* L_25 = V_3; int32_t L_26 = ___byteCount; V_4 = (uint8_t*)((uint8_t*)((intptr_t)L_25+(int32_t)L_26)); uint16_t* L_27 = V_2; V_5 = (uint16_t*)L_27; goto IL_00d0; } IL_00ab: { uint8_t* L_28 = V_3; uint8_t* L_29 = (uint8_t*)L_28; V_3 = (uint8_t*)((uint8_t*)((intptr_t)L_29+(intptr_t)(((intptr_t)1)))); V_6 = (*((uint8_t*)L_29)); uint16_t* L_30 = V_5; uint16_t* L_31 = (uint16_t*)L_30; V_5 = (uint16_t*)((uint16_t*)((intptr_t)L_31+(intptr_t)(((intptr_t)2)))); uint8_t L_32 = V_6; G_B16_0 = L_31; if ((((int32_t)L_32) > ((int32_t)((int32_t)127)))) { G_B17_0 = L_31; goto IL_00cd; } } { uint8_t L_33 = V_6; G_B18_0 = (((int32_t)((uint16_t)L_33))); G_B18_1 = G_B16_0; goto IL_00cf; } IL_00cd: { G_B18_0 = ((int32_t)63); G_B18_1 = G_B17_0; } IL_00cf: { *((int16_t*)(G_B18_1)) = (int16_t)G_B18_0; } IL_00d0: { uint8_t* L_34 = V_3; uint8_t* L_35 = V_4; if ((!(((uintptr_t)L_34) >= ((uintptr_t)L_35)))) { goto IL_00ab; } } { V_7 = (String_t*)NULL; String_t* L_36 = V_1; return L_36; } } // System.Int32 System.Text.ASCIIEncoding::GetBytes(System.Char*,System.Int32,System.Byte*,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral2031068682; extern const uint32_t ASCIIEncoding_GetBytes_m1886644629_MetadataUsageId; extern "C" int32_t ASCIIEncoding_GetBytes_m1886644629 (ASCIIEncoding_t15734376 * __this, uint16_t* ___chars, int32_t ___charCount, uint8_t* ___bytes, int32_t ___byteCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (ASCIIEncoding_GetBytes_m1886644629_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint16_t V_1 = 0x0; uint8_t* G_B13_0 = NULL; uint8_t* G_B12_0 = NULL; int32_t G_B14_0 = 0; uint8_t* G_B14_1 = NULL; { uint16_t* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { uint8_t* L_2 = ___bytes; if (L_2) { goto IL_0022; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0022: { int32_t L_4 = ___charCount; if ((((int32_t)L_4) >= ((int32_t)0))) { goto IL_0034; } } { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_5, _stringLiteral1536848729, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0034: { int32_t L_6 = ___byteCount; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0047; } } { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_7, _stringLiteral2217829607, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0047: { int32_t L_8 = ___byteCount; int32_t L_9 = ___charCount; if ((((int32_t)L_8) >= ((int32_t)L_9))) { goto IL_005f; } } { ArgumentException_t124305799 * L_10 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_10, _stringLiteral2031068682, _stringLiteral2217829607, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_10); } IL_005f: { V_0 = 0; goto IL_0089; } IL_0066: { uint16_t* L_11 = ___chars; int32_t L_12 = V_0; V_1 = (*((uint16_t*)((uint16_t*)((intptr_t)L_11+(int32_t)((int32_t)((int32_t)L_12*(int32_t)2)))))); uint8_t* L_13 = ___bytes; int32_t L_14 = V_0; uint16_t L_15 = V_1; G_B12_0 = ((uint8_t*)((intptr_t)L_13+(int32_t)L_14)); if ((((int32_t)L_15) >= ((int32_t)((int32_t)128)))) { G_B13_0 = ((uint8_t*)((intptr_t)L_13+(int32_t)L_14)); goto IL_0081; } } { uint16_t L_16 = V_1; G_B14_0 = ((int32_t)(L_16)); G_B14_1 = G_B12_0; goto IL_0083; } IL_0081: { G_B14_0 = ((int32_t)63); G_B14_1 = G_B13_0; } IL_0083: { *((int8_t*)(G_B14_1)) = (int8_t)(((int32_t)((uint8_t)G_B14_0))); int32_t L_17 = V_0; V_0 = ((int32_t)((int32_t)L_17+(int32_t)1)); } IL_0089: { int32_t L_18 = V_0; int32_t L_19 = ___charCount; if ((((int32_t)L_18) < ((int32_t)L_19))) { goto IL_0066; } } { int32_t L_20 = ___charCount; return L_20; } } // System.Int32 System.Text.ASCIIEncoding::GetByteCount(System.Char*,System.Int32) extern "C" int32_t ASCIIEncoding_GetByteCount_m858235493 (ASCIIEncoding_t15734376 * __this, uint16_t* ___chars, int32_t ___count, const MethodInfo* method) { { int32_t L_0 = ___count; return L_0; } } // System.Text.Decoder System.Text.ASCIIEncoding::GetDecoder() extern "C" Decoder_t1611780840 * ASCIIEncoding_GetDecoder_m3592483183 (ASCIIEncoding_t15734376 * __this, const MethodInfo* method) { { Decoder_t1611780840 * L_0 = Encoding_GetDecoder_m3680646086(__this, /*hidden argument*/NULL); return L_0; } } // System.Void System.Text.Decoder::.ctor() extern TypeInfo* DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var; extern const uint32_t Decoder__ctor_m1448672242_MetadataUsageId; extern "C" void Decoder__ctor_m1448672242 (Decoder_t1611780840 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Decoder__ctor_m1448672242_MetadataUsageId); s_Il2CppMethodIntialized = true; } { DecoderReplacementFallback_t1303633684 * L_0 = (DecoderReplacementFallback_t1303633684 *)il2cpp_codegen_object_new(DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var); DecoderReplacementFallback__ctor_m2715929664(L_0, /*hidden argument*/NULL); __this->set_fallback_0(L_0); Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Text.Decoder::set_Fallback(System.Text.DecoderFallback) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern const uint32_t Decoder_set_Fallback_m4287157405_MetadataUsageId; extern "C" void Decoder_set_Fallback_m4287157405 (Decoder_t1611780840 * __this, DecoderFallback_t4033313258 * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Decoder_set_Fallback_m4287157405_MetadataUsageId); s_Il2CppMethodIntialized = true; } { DecoderFallback_t4033313258 * L_0 = ___value; if (L_0) { goto IL_000c; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m2162372070(L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_000c: { DecoderFallback_t4033313258 * L_2 = ___value; __this->set_fallback_0(L_2); __this->set_fallback_buffer_1((DecoderFallbackBuffer_t1215858122 *)NULL); return; } } // System.Text.DecoderFallbackBuffer System.Text.Decoder::get_FallbackBuffer() extern "C" DecoderFallbackBuffer_t1215858122 * Decoder_get_FallbackBuffer_m1620793422 (Decoder_t1611780840 * __this, const MethodInfo* method) { { DecoderFallbackBuffer_t1215858122 * L_0 = __this->get_fallback_buffer_1(); if (L_0) { goto IL_001c; } } { DecoderFallback_t4033313258 * L_1 = __this->get_fallback_0(); NullCheck(L_1); DecoderFallbackBuffer_t1215858122 * L_2 = VirtFuncInvoker0< DecoderFallbackBuffer_t1215858122 * >::Invoke(4 /* System.Text.DecoderFallbackBuffer System.Text.DecoderFallback::CreateFallbackBuffer() */, L_1); __this->set_fallback_buffer_1(L_2); } IL_001c: { DecoderFallbackBuffer_t1215858122 * L_3 = __this->get_fallback_buffer_1(); return L_3; } } // System.Void System.Text.DecoderExceptionFallback::.ctor() extern TypeInfo* DecoderFallback_t4033313258_il2cpp_TypeInfo_var; extern const uint32_t DecoderExceptionFallback__ctor_m3484109795_MetadataUsageId; extern "C" void DecoderExceptionFallback__ctor_m3484109795 (DecoderExceptionFallback_t2347889489 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderExceptionFallback__ctor_m3484109795_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(DecoderFallback_t4033313258_il2cpp_TypeInfo_var); DecoderFallback__ctor_m811029552(__this, /*hidden argument*/NULL); return; } } // System.Text.DecoderFallbackBuffer System.Text.DecoderExceptionFallback::CreateFallbackBuffer() extern TypeInfo* DecoderExceptionFallbackBuffer_t2938508785_il2cpp_TypeInfo_var; extern const uint32_t DecoderExceptionFallback_CreateFallbackBuffer_m3152161742_MetadataUsageId; extern "C" DecoderFallbackBuffer_t1215858122 * DecoderExceptionFallback_CreateFallbackBuffer_m3152161742 (DecoderExceptionFallback_t2347889489 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderExceptionFallback_CreateFallbackBuffer_m3152161742_MetadataUsageId); s_Il2CppMethodIntialized = true; } { DecoderExceptionFallbackBuffer_t2938508785 * L_0 = (DecoderExceptionFallbackBuffer_t2938508785 *)il2cpp_codegen_object_new(DecoderExceptionFallbackBuffer_t2938508785_il2cpp_TypeInfo_var); DecoderExceptionFallbackBuffer__ctor_m1509764995(L_0, /*hidden argument*/NULL); return L_0; } } // System.Boolean System.Text.DecoderExceptionFallback::Equals(System.Object) extern TypeInfo* DecoderExceptionFallback_t2347889489_il2cpp_TypeInfo_var; extern const uint32_t DecoderExceptionFallback_Equals_m2487768146_MetadataUsageId; extern "C" bool DecoderExceptionFallback_Equals_m2487768146 (DecoderExceptionFallback_t2347889489 * __this, Il2CppObject * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderExceptionFallback_Equals_m2487768146_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___value; return (bool)((!(((Il2CppObject*)(DecoderExceptionFallback_t2347889489 *)((DecoderExceptionFallback_t2347889489 *)IsInstSealed(L_0, DecoderExceptionFallback_t2347889489_il2cpp_TypeInfo_var))) <= ((Il2CppObject*)(Il2CppObject *)NULL)))? 1 : 0); } } // System.Int32 System.Text.DecoderExceptionFallback::GetHashCode() extern "C" int32_t DecoderExceptionFallback_GetHashCode_m1445478582 (DecoderExceptionFallback_t2347889489 * __this, const MethodInfo* method) { { return 0; } } // System.Void System.Text.DecoderExceptionFallbackBuffer::.ctor() extern "C" void DecoderExceptionFallbackBuffer__ctor_m1509764995 (DecoderExceptionFallbackBuffer_t2938508785 * __this, const MethodInfo* method) { { DecoderFallbackBuffer__ctor_m2764245520(__this, /*hidden argument*/NULL); return; } } // System.Int32 System.Text.DecoderExceptionFallbackBuffer::get_Remaining() extern "C" int32_t DecoderExceptionFallbackBuffer_get_Remaining_m629320722 (DecoderExceptionFallbackBuffer_t2938508785 * __this, const MethodInfo* method) { { return 0; } } // System.Boolean System.Text.DecoderExceptionFallbackBuffer::Fallback(System.Byte[],System.Int32) extern TypeInfo* DecoderFallbackException_t3951869581_il2cpp_TypeInfo_var; extern const uint32_t DecoderExceptionFallbackBuffer_Fallback_m3367248051_MetadataUsageId; extern "C" bool DecoderExceptionFallbackBuffer_Fallback_m3367248051 (DecoderExceptionFallbackBuffer_t2938508785 * __this, ByteU5BU5D_t58506160* ___bytesUnknown, int32_t ___index, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderExceptionFallbackBuffer_Fallback_m3367248051_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___bytesUnknown; int32_t L_1 = ___index; DecoderFallbackException_t3951869581 * L_2 = (DecoderFallbackException_t3951869581 *)il2cpp_codegen_object_new(DecoderFallbackException_t3951869581_il2cpp_TypeInfo_var); DecoderFallbackException__ctor_m387223961(L_2, (String_t*)NULL, L_0, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } } // System.Char System.Text.DecoderExceptionFallbackBuffer::GetNextChar() extern "C" uint16_t DecoderExceptionFallbackBuffer_GetNextChar_m3794963074 (DecoderExceptionFallbackBuffer_t2938508785 * __this, const MethodInfo* method) { { return 0; } } // System.Void System.Text.DecoderFallback::.ctor() extern "C" void DecoderFallback__ctor_m811029552 (DecoderFallback_t4033313258 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Text.DecoderFallback::.cctor() extern TypeInfo* DecoderExceptionFallback_t2347889489_il2cpp_TypeInfo_var; extern TypeInfo* DecoderFallback_t4033313258_il2cpp_TypeInfo_var; extern TypeInfo* DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral65533; extern const uint32_t DecoderFallback__cctor_m3184983421_MetadataUsageId; extern "C" void DecoderFallback__cctor_m3184983421 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderFallback__cctor_m3184983421_MetadataUsageId); s_Il2CppMethodIntialized = true; } { DecoderExceptionFallback_t2347889489 * L_0 = (DecoderExceptionFallback_t2347889489 *)il2cpp_codegen_object_new(DecoderExceptionFallback_t2347889489_il2cpp_TypeInfo_var); DecoderExceptionFallback__ctor_m3484109795(L_0, /*hidden argument*/NULL); ((DecoderFallback_t4033313258_StaticFields*)DecoderFallback_t4033313258_il2cpp_TypeInfo_var->static_fields)->set_exception_fallback_0(L_0); DecoderReplacementFallback_t1303633684 * L_1 = (DecoderReplacementFallback_t1303633684 *)il2cpp_codegen_object_new(DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var); DecoderReplacementFallback__ctor_m2715929664(L_1, /*hidden argument*/NULL); ((DecoderFallback_t4033313258_StaticFields*)DecoderFallback_t4033313258_il2cpp_TypeInfo_var->static_fields)->set_replacement_fallback_1(L_1); DecoderReplacementFallback_t1303633684 * L_2 = (DecoderReplacementFallback_t1303633684 *)il2cpp_codegen_object_new(DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var); DecoderReplacementFallback__ctor_m1044232898(L_2, _stringLiteral65533, /*hidden argument*/NULL); ((DecoderFallback_t4033313258_StaticFields*)DecoderFallback_t4033313258_il2cpp_TypeInfo_var->static_fields)->set_standard_safe_fallback_2(L_2); return; } } // System.Text.DecoderFallback System.Text.DecoderFallback::get_ExceptionFallback() extern TypeInfo* DecoderFallback_t4033313258_il2cpp_TypeInfo_var; extern const uint32_t DecoderFallback_get_ExceptionFallback_m325010629_MetadataUsageId; extern "C" DecoderFallback_t4033313258 * DecoderFallback_get_ExceptionFallback_m325010629 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderFallback_get_ExceptionFallback_m325010629_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(DecoderFallback_t4033313258_il2cpp_TypeInfo_var); DecoderFallback_t4033313258 * L_0 = ((DecoderFallback_t4033313258_StaticFields*)DecoderFallback_t4033313258_il2cpp_TypeInfo_var->static_fields)->get_exception_fallback_0(); return L_0; } } // System.Text.DecoderFallback System.Text.DecoderFallback::get_ReplacementFallback() extern TypeInfo* DecoderFallback_t4033313258_il2cpp_TypeInfo_var; extern const uint32_t DecoderFallback_get_ReplacementFallback_m2886502920_MetadataUsageId; extern "C" DecoderFallback_t4033313258 * DecoderFallback_get_ReplacementFallback_m2886502920 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderFallback_get_ReplacementFallback_m2886502920_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(DecoderFallback_t4033313258_il2cpp_TypeInfo_var); DecoderFallback_t4033313258 * L_0 = ((DecoderFallback_t4033313258_StaticFields*)DecoderFallback_t4033313258_il2cpp_TypeInfo_var->static_fields)->get_replacement_fallback_1(); return L_0; } } // System.Text.DecoderFallback System.Text.DecoderFallback::get_StandardSafeFallback() extern TypeInfo* DecoderFallback_t4033313258_il2cpp_TypeInfo_var; extern const uint32_t DecoderFallback_get_StandardSafeFallback_m2811048538_MetadataUsageId; extern "C" DecoderFallback_t4033313258 * DecoderFallback_get_StandardSafeFallback_m2811048538 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderFallback_get_StandardSafeFallback_m2811048538_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(DecoderFallback_t4033313258_il2cpp_TypeInfo_var); DecoderFallback_t4033313258 * L_0 = ((DecoderFallback_t4033313258_StaticFields*)DecoderFallback_t4033313258_il2cpp_TypeInfo_var->static_fields)->get_standard_safe_fallback_2(); return L_0; } } // System.Void System.Text.DecoderFallbackBuffer::.ctor() extern "C" void DecoderFallbackBuffer__ctor_m2764245520 (DecoderFallbackBuffer_t1215858122 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Text.DecoderFallbackBuffer::Reset() extern "C" void DecoderFallbackBuffer_Reset_m410678461 (DecoderFallbackBuffer_t1215858122 * __this, const MethodInfo* method) { { return; } } // System.Void System.Text.DecoderFallbackException::.ctor() extern "C" void DecoderFallbackException__ctor_m3678102567 (DecoderFallbackException_t3951869581 * __this, const MethodInfo* method) { { DecoderFallbackException__ctor_m1586655803(__this, (String_t*)NULL, /*hidden argument*/NULL); return; } } // System.Void System.Text.DecoderFallbackException::.ctor(System.String) extern "C" void DecoderFallbackException__ctor_m1586655803 (DecoderFallbackException_t3951869581 * __this, String_t* ___message, const MethodInfo* method) { { __this->set_index_14((-1)); String_t* L_0 = ___message; ArgumentException__ctor_m3544856547(__this, L_0, /*hidden argument*/NULL); return; } } // System.Void System.Text.DecoderFallbackException::.ctor(System.String,System.Byte[],System.Int32) extern "C" void DecoderFallbackException__ctor_m387223961 (DecoderFallbackException_t3951869581 * __this, String_t* ___message, ByteU5BU5D_t58506160* ___bytesUnknown, int32_t ___index, const MethodInfo* method) { { __this->set_index_14((-1)); String_t* L_0 = ___message; ArgumentException__ctor_m3544856547(__this, L_0, /*hidden argument*/NULL); ByteU5BU5D_t58506160* L_1 = ___bytesUnknown; __this->set_bytes_unknown_13(L_1); int32_t L_2 = ___index; __this->set_index_14(L_2); return; } } // System.Void System.Text.DecoderReplacementFallback::.ctor() extern Il2CppCodeGenString* _stringLiteral63; extern const uint32_t DecoderReplacementFallback__ctor_m2715929664_MetadataUsageId; extern "C" void DecoderReplacementFallback__ctor_m2715929664 (DecoderReplacementFallback_t1303633684 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderReplacementFallback__ctor_m2715929664_MetadataUsageId); s_Il2CppMethodIntialized = true; } { DecoderReplacementFallback__ctor_m1044232898(__this, _stringLiteral63, /*hidden argument*/NULL); return; } } // System.Void System.Text.DecoderReplacementFallback::.ctor(System.String) extern TypeInfo* DecoderFallback_t4033313258_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern const uint32_t DecoderReplacementFallback__ctor_m1044232898_MetadataUsageId; extern "C" void DecoderReplacementFallback__ctor_m1044232898 (DecoderReplacementFallback_t1303633684 * __this, String_t* ___replacement, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderReplacementFallback__ctor_m1044232898_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(DecoderFallback_t4033313258_il2cpp_TypeInfo_var); DecoderFallback__ctor_m811029552(__this, /*hidden argument*/NULL); String_t* L_0 = ___replacement; if (L_0) { goto IL_0012; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m2162372070(L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0012: { String_t* L_2 = ___replacement; __this->set_replacement_3(L_2); return; } } // System.String System.Text.DecoderReplacementFallback::get_DefaultString() extern "C" String_t* DecoderReplacementFallback_get_DefaultString_m3033954916 (DecoderReplacementFallback_t1303633684 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get_replacement_3(); return L_0; } } // System.Text.DecoderFallbackBuffer System.Text.DecoderReplacementFallback::CreateFallbackBuffer() extern TypeInfo* DecoderReplacementFallbackBuffer_t4293583732_il2cpp_TypeInfo_var; extern const uint32_t DecoderReplacementFallback_CreateFallbackBuffer_m2535777809_MetadataUsageId; extern "C" DecoderFallbackBuffer_t1215858122 * DecoderReplacementFallback_CreateFallbackBuffer_m2535777809 (DecoderReplacementFallback_t1303633684 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderReplacementFallback_CreateFallbackBuffer_m2535777809_MetadataUsageId); s_Il2CppMethodIntialized = true; } { DecoderReplacementFallbackBuffer_t4293583732 * L_0 = (DecoderReplacementFallbackBuffer_t4293583732 *)il2cpp_codegen_object_new(DecoderReplacementFallbackBuffer_t4293583732_il2cpp_TypeInfo_var); DecoderReplacementFallbackBuffer__ctor_m1088992558(L_0, __this, /*hidden argument*/NULL); return L_0; } } // System.Boolean System.Text.DecoderReplacementFallback::Equals(System.Object) extern TypeInfo* DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t DecoderReplacementFallback_Equals_m574453359_MetadataUsageId; extern "C" bool DecoderReplacementFallback_Equals_m574453359 (DecoderReplacementFallback_t1303633684 * __this, Il2CppObject * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderReplacementFallback_Equals_m574453359_MetadataUsageId); s_Il2CppMethodIntialized = true; } DecoderReplacementFallback_t1303633684 * V_0 = NULL; int32_t G_B3_0 = 0; { Il2CppObject * L_0 = ___value; V_0 = ((DecoderReplacementFallback_t1303633684 *)IsInstSealed(L_0, DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var)); DecoderReplacementFallback_t1303633684 * L_1 = V_0; if (!L_1) { goto IL_0020; } } { String_t* L_2 = __this->get_replacement_3(); DecoderReplacementFallback_t1303633684 * L_3 = V_0; NullCheck(L_3); String_t* L_4 = L_3->get_replacement_3(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_5 = String_op_Equality_m1260523650(NULL /*static, unused*/, L_2, L_4, /*hidden argument*/NULL); G_B3_0 = ((int32_t)(L_5)); goto IL_0021; } IL_0020: { G_B3_0 = 0; } IL_0021: { return (bool)G_B3_0; } } // System.Int32 System.Text.DecoderReplacementFallback::GetHashCode() extern "C" int32_t DecoderReplacementFallback_GetHashCode_m1988771411 (DecoderReplacementFallback_t1303633684 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get_replacement_3(); NullCheck(L_0); int32_t L_1 = String_GetHashCode_m471729487(L_0, /*hidden argument*/NULL); return L_1; } } // System.Void System.Text.DecoderReplacementFallbackBuffer::.ctor(System.Text.DecoderReplacementFallback) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral761243362; extern const uint32_t DecoderReplacementFallbackBuffer__ctor_m1088992558_MetadataUsageId; extern "C" void DecoderReplacementFallbackBuffer__ctor_m1088992558 (DecoderReplacementFallbackBuffer_t4293583732 * __this, DecoderReplacementFallback_t1303633684 * ___fallback, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderReplacementFallbackBuffer__ctor_m1088992558_MetadataUsageId); s_Il2CppMethodIntialized = true; } { DecoderFallbackBuffer__ctor_m2764245520(__this, /*hidden argument*/NULL); DecoderReplacementFallback_t1303633684 * L_0 = ___fallback; if (L_0) { goto IL_0017; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral761243362, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0017: { DecoderReplacementFallback_t1303633684 * L_2 = ___fallback; NullCheck(L_2); String_t* L_3 = DecoderReplacementFallback_get_DefaultString_m3033954916(L_2, /*hidden argument*/NULL); __this->set_replacement_2(L_3); __this->set_current_1(0); return; } } // System.Int32 System.Text.DecoderReplacementFallbackBuffer::get_Remaining() extern "C" int32_t DecoderReplacementFallbackBuffer_get_Remaining_m3834625199 (DecoderReplacementFallbackBuffer_t4293583732 * __this, const MethodInfo* method) { int32_t G_B3_0 = 0; { bool L_0 = __this->get_fallback_assigned_0(); if (!L_0) { goto IL_0022; } } { String_t* L_1 = __this->get_replacement_2(); NullCheck(L_1); int32_t L_2 = String_get_Length_m2979997331(L_1, /*hidden argument*/NULL); int32_t L_3 = __this->get_current_1(); G_B3_0 = ((int32_t)((int32_t)L_2-(int32_t)L_3)); goto IL_0023; } IL_0022: { G_B3_0 = 0; } IL_0023: { return G_B3_0; } } // System.Boolean System.Text.DecoderReplacementFallbackBuffer::Fallback(System.Byte[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2126923103; extern Il2CppCodeGenString* _stringLiteral920260852; extern Il2CppCodeGenString* _stringLiteral100346066; extern const uint32_t DecoderReplacementFallbackBuffer_Fallback_m4123943606_MetadataUsageId; extern "C" bool DecoderReplacementFallbackBuffer_Fallback_m4123943606 (DecoderReplacementFallbackBuffer_t4293583732 * __this, ByteU5BU5D_t58506160* ___bytesUnknown, int32_t ___index, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (DecoderReplacementFallbackBuffer_Fallback_m4123943606_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___bytesUnknown; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral2126923103, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { bool L_2 = __this->get_fallback_assigned_0(); if (!L_2) { goto IL_0032; } } { int32_t L_3 = DecoderReplacementFallbackBuffer_get_Remaining_m3834625199(__this, /*hidden argument*/NULL); if (!L_3) { goto IL_0032; } } { ArgumentException_t124305799 * L_4 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_4, _stringLiteral920260852, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_0032: { int32_t L_5 = ___index; if ((((int32_t)L_5) < ((int32_t)0))) { goto IL_0042; } } { ByteU5BU5D_t58506160* L_6 = ___bytesUnknown; NullCheck(L_6); int32_t L_7 = ___index; if ((((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))) >= ((int32_t)L_7))) { goto IL_004d; } } IL_0042: { ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_8, _stringLiteral100346066, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_004d: { __this->set_fallback_assigned_0((bool)1); __this->set_current_1(0); String_t* L_9 = __this->get_replacement_2(); NullCheck(L_9); int32_t L_10 = String_get_Length_m2979997331(L_9, /*hidden argument*/NULL); return (bool)((((int32_t)L_10) > ((int32_t)0))? 1 : 0); } } // System.Char System.Text.DecoderReplacementFallbackBuffer::GetNextChar() extern "C" uint16_t DecoderReplacementFallbackBuffer_GetNextChar_m581213919 (DecoderReplacementFallbackBuffer_t4293583732 * __this, const MethodInfo* method) { int32_t V_0 = 0; { bool L_0 = __this->get_fallback_assigned_0(); if (L_0) { goto IL_000d; } } { return 0; } IL_000d: { int32_t L_1 = __this->get_current_1(); String_t* L_2 = __this->get_replacement_2(); NullCheck(L_2); int32_t L_3 = String_get_Length_m2979997331(L_2, /*hidden argument*/NULL); if ((((int32_t)L_1) < ((int32_t)L_3))) { goto IL_0025; } } { return 0; } IL_0025: { String_t* L_4 = __this->get_replacement_2(); int32_t L_5 = __this->get_current_1(); int32_t L_6 = L_5; V_0 = L_6; __this->set_current_1(((int32_t)((int32_t)L_6+(int32_t)1))); int32_t L_7 = V_0; NullCheck(L_4); uint16_t L_8 = String_get_Chars_m3015341861(L_4, L_7, /*hidden argument*/NULL); return L_8; } } // System.Void System.Text.DecoderReplacementFallbackBuffer::Reset() extern "C" void DecoderReplacementFallbackBuffer_Reset_m4105085133 (DecoderReplacementFallbackBuffer_t4293583732 * __this, const MethodInfo* method) { { __this->set_fallback_assigned_0((bool)0); __this->set_current_1(0); return; } } // System.Void System.Text.EncoderExceptionFallback::.ctor() extern TypeInfo* EncoderFallback_t990837442_il2cpp_TypeInfo_var; extern const uint32_t EncoderExceptionFallback__ctor_m389367483_MetadataUsageId; extern "C" void EncoderExceptionFallback__ctor_m389367483 (EncoderExceptionFallback_t598861177 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderExceptionFallback__ctor_m389367483_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(EncoderFallback_t990837442_il2cpp_TypeInfo_var); EncoderFallback__ctor_m3356968536(__this, /*hidden argument*/NULL); return; } } // System.Text.EncoderFallbackBuffer System.Text.EncoderExceptionFallback::CreateFallbackBuffer() extern TypeInfo* EncoderExceptionFallbackBuffer_t597805593_il2cpp_TypeInfo_var; extern const uint32_t EncoderExceptionFallback_CreateFallbackBuffer_m703436318_MetadataUsageId; extern "C" EncoderFallbackBuffer_t2042758306 * EncoderExceptionFallback_CreateFallbackBuffer_m703436318 (EncoderExceptionFallback_t598861177 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderExceptionFallback_CreateFallbackBuffer_m703436318_MetadataUsageId); s_Il2CppMethodIntialized = true; } { EncoderExceptionFallbackBuffer_t597805593 * L_0 = (EncoderExceptionFallbackBuffer_t597805593 *)il2cpp_codegen_object_new(EncoderExceptionFallbackBuffer_t597805593_il2cpp_TypeInfo_var); EncoderExceptionFallbackBuffer__ctor_m2397415515(L_0, /*hidden argument*/NULL); return L_0; } } // System.Boolean System.Text.EncoderExceptionFallback::Equals(System.Object) extern TypeInfo* EncoderExceptionFallback_t598861177_il2cpp_TypeInfo_var; extern const uint32_t EncoderExceptionFallback_Equals_m2398516522_MetadataUsageId; extern "C" bool EncoderExceptionFallback_Equals_m2398516522 (EncoderExceptionFallback_t598861177 * __this, Il2CppObject * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderExceptionFallback_Equals_m2398516522_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___value; return (bool)((!(((Il2CppObject*)(EncoderExceptionFallback_t598861177 *)((EncoderExceptionFallback_t598861177 *)IsInstSealed(L_0, EncoderExceptionFallback_t598861177_il2cpp_TypeInfo_var))) <= ((Il2CppObject*)(Il2CppObject *)NULL)))? 1 : 0); } } // System.Int32 System.Text.EncoderExceptionFallback::GetHashCode() extern "C" int32_t EncoderExceptionFallback_GetHashCode_m2333129102 (EncoderExceptionFallback_t598861177 * __this, const MethodInfo* method) { { return 0; } } // System.Void System.Text.EncoderExceptionFallbackBuffer::.ctor() extern "C" void EncoderExceptionFallbackBuffer__ctor_m2397415515 (EncoderExceptionFallbackBuffer_t597805593 * __this, const MethodInfo* method) { { EncoderFallbackBuffer__ctor_m423542328(__this, /*hidden argument*/NULL); return; } } // System.Int32 System.Text.EncoderExceptionFallbackBuffer::get_Remaining() extern "C" int32_t EncoderExceptionFallbackBuffer_get_Remaining_m540069098 (EncoderExceptionFallbackBuffer_t597805593 * __this, const MethodInfo* method) { { return 0; } } // System.Boolean System.Text.EncoderExceptionFallbackBuffer::Fallback(System.Char,System.Int32) extern TypeInfo* EncoderFallbackException_t2202841269_il2cpp_TypeInfo_var; extern const uint32_t EncoderExceptionFallbackBuffer_Fallback_m3905093511_MetadataUsageId; extern "C" bool EncoderExceptionFallbackBuffer_Fallback_m3905093511 (EncoderExceptionFallbackBuffer_t597805593 * __this, uint16_t ___charUnknown, int32_t ___index, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderExceptionFallbackBuffer_Fallback_m3905093511_MetadataUsageId); s_Il2CppMethodIntialized = true; } { uint16_t L_0 = ___charUnknown; int32_t L_1 = ___index; EncoderFallbackException_t2202841269 * L_2 = (EncoderFallbackException_t2202841269 *)il2cpp_codegen_object_new(EncoderFallbackException_t2202841269_il2cpp_TypeInfo_var); EncoderFallbackException__ctor_m1029930777(L_2, L_0, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } } // System.Boolean System.Text.EncoderExceptionFallbackBuffer::Fallback(System.Char,System.Char,System.Int32) extern TypeInfo* EncoderFallbackException_t2202841269_il2cpp_TypeInfo_var; extern const uint32_t EncoderExceptionFallbackBuffer_Fallback_m3413448272_MetadataUsageId; extern "C" bool EncoderExceptionFallbackBuffer_Fallback_m3413448272 (EncoderExceptionFallbackBuffer_t597805593 * __this, uint16_t ___charUnknownHigh, uint16_t ___charUnknownLow, int32_t ___index, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderExceptionFallbackBuffer_Fallback_m3413448272_MetadataUsageId); s_Il2CppMethodIntialized = true; } { uint16_t L_0 = ___charUnknownHigh; uint16_t L_1 = ___charUnknownLow; int32_t L_2 = ___index; EncoderFallbackException_t2202841269 * L_3 = (EncoderFallbackException_t2202841269 *)il2cpp_codegen_object_new(EncoderFallbackException_t2202841269_il2cpp_TypeInfo_var); EncoderFallbackException__ctor_m923323106(L_3, L_0, L_1, L_2, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } } // System.Char System.Text.EncoderExceptionFallbackBuffer::GetNextChar() extern "C" uint16_t EncoderExceptionFallbackBuffer_GetNextChar_m1461911898 (EncoderExceptionFallbackBuffer_t597805593 * __this, const MethodInfo* method) { { return 0; } } // System.Void System.Text.EncoderFallback::.ctor() extern "C" void EncoderFallback__ctor_m3356968536 (EncoderFallback_t990837442 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Text.EncoderFallback::.cctor() extern TypeInfo* EncoderExceptionFallback_t598861177_il2cpp_TypeInfo_var; extern TypeInfo* EncoderFallback_t990837442_il2cpp_TypeInfo_var; extern TypeInfo* EncoderReplacementFallback_t4114605884_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral65533; extern const uint32_t EncoderFallback__cctor_m504713301_MetadataUsageId; extern "C" void EncoderFallback__cctor_m504713301 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderFallback__cctor_m504713301_MetadataUsageId); s_Il2CppMethodIntialized = true; } { EncoderExceptionFallback_t598861177 * L_0 = (EncoderExceptionFallback_t598861177 *)il2cpp_codegen_object_new(EncoderExceptionFallback_t598861177_il2cpp_TypeInfo_var); EncoderExceptionFallback__ctor_m389367483(L_0, /*hidden argument*/NULL); ((EncoderFallback_t990837442_StaticFields*)EncoderFallback_t990837442_il2cpp_TypeInfo_var->static_fields)->set_exception_fallback_0(L_0); EncoderReplacementFallback_t4114605884 * L_1 = (EncoderReplacementFallback_t4114605884 *)il2cpp_codegen_object_new(EncoderReplacementFallback_t4114605884_il2cpp_TypeInfo_var); EncoderReplacementFallback__ctor_m785936664(L_1, /*hidden argument*/NULL); ((EncoderFallback_t990837442_StaticFields*)EncoderFallback_t990837442_il2cpp_TypeInfo_var->static_fields)->set_replacement_fallback_1(L_1); EncoderReplacementFallback_t4114605884 * L_2 = (EncoderReplacementFallback_t4114605884 *)il2cpp_codegen_object_new(EncoderReplacementFallback_t4114605884_il2cpp_TypeInfo_var); EncoderReplacementFallback__ctor_m2572399850(L_2, _stringLiteral65533, /*hidden argument*/NULL); ((EncoderFallback_t990837442_StaticFields*)EncoderFallback_t990837442_il2cpp_TypeInfo_var->static_fields)->set_standard_safe_fallback_2(L_2); return; } } // System.Text.EncoderFallback System.Text.EncoderFallback::get_ExceptionFallback() extern TypeInfo* EncoderFallback_t990837442_il2cpp_TypeInfo_var; extern const uint32_t EncoderFallback_get_ExceptionFallback_m3519102229_MetadataUsageId; extern "C" EncoderFallback_t990837442 * EncoderFallback_get_ExceptionFallback_m3519102229 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderFallback_get_ExceptionFallback_m3519102229_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(EncoderFallback_t990837442_il2cpp_TypeInfo_var); EncoderFallback_t990837442 * L_0 = ((EncoderFallback_t990837442_StaticFields*)EncoderFallback_t990837442_il2cpp_TypeInfo_var->static_fields)->get_exception_fallback_0(); return L_0; } } // System.Text.EncoderFallback System.Text.EncoderFallback::get_ReplacementFallback() extern TypeInfo* EncoderFallback_t990837442_il2cpp_TypeInfo_var; extern const uint32_t EncoderFallback_get_ReplacementFallback_m1506913880_MetadataUsageId; extern "C" EncoderFallback_t990837442 * EncoderFallback_get_ReplacementFallback_m1506913880 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderFallback_get_ReplacementFallback_m1506913880_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(EncoderFallback_t990837442_il2cpp_TypeInfo_var); EncoderFallback_t990837442 * L_0 = ((EncoderFallback_t990837442_StaticFields*)EncoderFallback_t990837442_il2cpp_TypeInfo_var->static_fields)->get_replacement_fallback_1(); return L_0; } } // System.Text.EncoderFallback System.Text.EncoderFallback::get_StandardSafeFallback() extern TypeInfo* EncoderFallback_t990837442_il2cpp_TypeInfo_var; extern const uint32_t EncoderFallback_get_StandardSafeFallback_m2993461258_MetadataUsageId; extern "C" EncoderFallback_t990837442 * EncoderFallback_get_StandardSafeFallback_m2993461258 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderFallback_get_StandardSafeFallback_m2993461258_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(EncoderFallback_t990837442_il2cpp_TypeInfo_var); EncoderFallback_t990837442 * L_0 = ((EncoderFallback_t990837442_StaticFields*)EncoderFallback_t990837442_il2cpp_TypeInfo_var->static_fields)->get_standard_safe_fallback_2(); return L_0; } } // System.Void System.Text.EncoderFallbackBuffer::.ctor() extern "C" void EncoderFallbackBuffer__ctor_m423542328 (EncoderFallbackBuffer_t2042758306 * __this, const MethodInfo* method) { { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Text.EncoderFallbackException::.ctor() extern "C" void EncoderFallbackException__ctor_m583360255 (EncoderFallbackException_t2202841269 * __this, const MethodInfo* method) { { EncoderFallbackException__ctor_m2276513379(__this, (String_t*)NULL, /*hidden argument*/NULL); return; } } // System.Void System.Text.EncoderFallbackException::.ctor(System.String) extern "C" void EncoderFallbackException__ctor_m2276513379 (EncoderFallbackException_t2202841269 * __this, String_t* ___message, const MethodInfo* method) { { __this->set_index_16((-1)); String_t* L_0 = ___message; ArgumentException__ctor_m3544856547(__this, L_0, /*hidden argument*/NULL); return; } } // System.Void System.Text.EncoderFallbackException::.ctor(System.Char,System.Int32) extern "C" void EncoderFallbackException__ctor_m1029930777 (EncoderFallbackException_t2202841269 * __this, uint16_t ___charUnknown, int32_t ___index, const MethodInfo* method) { { __this->set_index_16((-1)); ArgumentException__ctor_m3544856547(__this, (String_t*)NULL, /*hidden argument*/NULL); uint16_t L_0 = ___charUnknown; __this->set_char_unknown_13(L_0); int32_t L_1 = ___index; __this->set_index_16(L_1); return; } } // System.Void System.Text.EncoderFallbackException::.ctor(System.Char,System.Char,System.Int32) extern "C" void EncoderFallbackException__ctor_m923323106 (EncoderFallbackException_t2202841269 * __this, uint16_t ___charUnknownHigh, uint16_t ___charUnknownLow, int32_t ___index, const MethodInfo* method) { { __this->set_index_16((-1)); ArgumentException__ctor_m3544856547(__this, (String_t*)NULL, /*hidden argument*/NULL); uint16_t L_0 = ___charUnknownHigh; __this->set_char_unknown_high_14(L_0); uint16_t L_1 = ___charUnknownLow; __this->set_char_unknown_low_15(L_1); int32_t L_2 = ___index; __this->set_index_16(L_2); return; } } // System.Void System.Text.EncoderReplacementFallback::.ctor() extern Il2CppCodeGenString* _stringLiteral63; extern const uint32_t EncoderReplacementFallback__ctor_m785936664_MetadataUsageId; extern "C" void EncoderReplacementFallback__ctor_m785936664 (EncoderReplacementFallback_t4114605884 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderReplacementFallback__ctor_m785936664_MetadataUsageId); s_Il2CppMethodIntialized = true; } { EncoderReplacementFallback__ctor_m2572399850(__this, _stringLiteral63, /*hidden argument*/NULL); return; } } // System.Void System.Text.EncoderReplacementFallback::.ctor(System.String) extern TypeInfo* EncoderFallback_t990837442_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern const uint32_t EncoderReplacementFallback__ctor_m2572399850_MetadataUsageId; extern "C" void EncoderReplacementFallback__ctor_m2572399850 (EncoderReplacementFallback_t4114605884 * __this, String_t* ___replacement, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderReplacementFallback__ctor_m2572399850_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(EncoderFallback_t990837442_il2cpp_TypeInfo_var); EncoderFallback__ctor_m3356968536(__this, /*hidden argument*/NULL); String_t* L_0 = ___replacement; if (L_0) { goto IL_0012; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m2162372070(L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0012: { String_t* L_2 = ___replacement; __this->set_replacement_3(L_2); return; } } // System.String System.Text.EncoderReplacementFallback::get_DefaultString() extern "C" String_t* EncoderReplacementFallback_get_DefaultString_m2944703292 (EncoderReplacementFallback_t4114605884 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get_replacement_3(); return L_0; } } // System.Text.EncoderFallbackBuffer System.Text.EncoderReplacementFallback::CreateFallbackBuffer() extern TypeInfo* EncoderReplacementFallbackBuffer_t1145712028_il2cpp_TypeInfo_var; extern const uint32_t EncoderReplacementFallback_CreateFallbackBuffer_m2952723553_MetadataUsageId; extern "C" EncoderFallbackBuffer_t2042758306 * EncoderReplacementFallback_CreateFallbackBuffer_m2952723553 (EncoderReplacementFallback_t4114605884 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderReplacementFallback_CreateFallbackBuffer_m2952723553_MetadataUsageId); s_Il2CppMethodIntialized = true; } { EncoderReplacementFallbackBuffer_t1145712028 * L_0 = (EncoderReplacementFallbackBuffer_t1145712028 *)il2cpp_codegen_object_new(EncoderReplacementFallbackBuffer_t1145712028_il2cpp_TypeInfo_var); EncoderReplacementFallbackBuffer__ctor_m1930588894(L_0, __this, /*hidden argument*/NULL); return L_0; } } // System.Boolean System.Text.EncoderReplacementFallback::Equals(System.Object) extern TypeInfo* EncoderReplacementFallback_t4114605884_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t EncoderReplacementFallback_Equals_m702988615_MetadataUsageId; extern "C" bool EncoderReplacementFallback_Equals_m702988615 (EncoderReplacementFallback_t4114605884 * __this, Il2CppObject * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderReplacementFallback_Equals_m702988615_MetadataUsageId); s_Il2CppMethodIntialized = true; } EncoderReplacementFallback_t4114605884 * V_0 = NULL; int32_t G_B3_0 = 0; { Il2CppObject * L_0 = ___value; V_0 = ((EncoderReplacementFallback_t4114605884 *)IsInstSealed(L_0, EncoderReplacementFallback_t4114605884_il2cpp_TypeInfo_var)); EncoderReplacementFallback_t4114605884 * L_1 = V_0; if (!L_1) { goto IL_0020; } } { String_t* L_2 = __this->get_replacement_3(); EncoderReplacementFallback_t4114605884 * L_3 = V_0; NullCheck(L_3); String_t* L_4 = L_3->get_replacement_3(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_5 = String_op_Equality_m1260523650(NULL /*static, unused*/, L_2, L_4, /*hidden argument*/NULL); G_B3_0 = ((int32_t)(L_5)); goto IL_0021; } IL_0020: { G_B3_0 = 0; } IL_0021: { return (bool)G_B3_0; } } // System.Int32 System.Text.EncoderReplacementFallback::GetHashCode() extern "C" int32_t EncoderReplacementFallback_GetHashCode_m322429227 (EncoderReplacementFallback_t4114605884 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get_replacement_3(); NullCheck(L_0); int32_t L_1 = String_GetHashCode_m471729487(L_0, /*hidden argument*/NULL); return L_1; } } // System.Void System.Text.EncoderReplacementFallbackBuffer::.ctor(System.Text.EncoderReplacementFallback) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral761243362; extern const uint32_t EncoderReplacementFallbackBuffer__ctor_m1930588894_MetadataUsageId; extern "C" void EncoderReplacementFallbackBuffer__ctor_m1930588894 (EncoderReplacementFallbackBuffer_t1145712028 * __this, EncoderReplacementFallback_t4114605884 * ___fallback, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderReplacementFallbackBuffer__ctor_m1930588894_MetadataUsageId); s_Il2CppMethodIntialized = true; } { EncoderFallbackBuffer__ctor_m423542328(__this, /*hidden argument*/NULL); EncoderReplacementFallback_t4114605884 * L_0 = ___fallback; if (L_0) { goto IL_0017; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral761243362, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0017: { EncoderReplacementFallback_t4114605884 * L_2 = ___fallback; NullCheck(L_2); String_t* L_3 = EncoderReplacementFallback_get_DefaultString_m2944703292(L_2, /*hidden argument*/NULL); __this->set_replacement_0(L_3); __this->set_current_1(0); return; } } // System.Int32 System.Text.EncoderReplacementFallbackBuffer::get_Remaining() extern "C" int32_t EncoderReplacementFallbackBuffer_get_Remaining_m3963160455 (EncoderReplacementFallbackBuffer_t1145712028 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get_replacement_0(); NullCheck(L_0); int32_t L_1 = String_get_Length_m2979997331(L_0, /*hidden argument*/NULL); int32_t L_2 = __this->get_current_1(); return ((int32_t)((int32_t)L_1-(int32_t)L_2)); } } // System.Boolean System.Text.EncoderReplacementFallbackBuffer::Fallback(System.Char,System.Int32) extern "C" bool EncoderReplacementFallbackBuffer_Fallback_m1355578442 (EncoderReplacementFallbackBuffer_t1145712028 * __this, uint16_t ___charUnknown, int32_t ___index, const MethodInfo* method) { { int32_t L_0 = ___index; bool L_1 = EncoderReplacementFallbackBuffer_Fallback_m2505575553(__this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Boolean System.Text.EncoderReplacementFallbackBuffer::Fallback(System.Char,System.Char,System.Int32) extern "C" bool EncoderReplacementFallbackBuffer_Fallback_m2465367699 (EncoderReplacementFallbackBuffer_t1145712028 * __this, uint16_t ___charUnknownHigh, uint16_t ___charUnknownLow, int32_t ___index, const MethodInfo* method) { { int32_t L_0 = ___index; bool L_1 = EncoderReplacementFallbackBuffer_Fallback_m2505575553(__this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Boolean System.Text.EncoderReplacementFallbackBuffer::Fallback(System.Int32) extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral920260852; extern Il2CppCodeGenString* _stringLiteral100346066; extern const uint32_t EncoderReplacementFallbackBuffer_Fallback_m2505575553_MetadataUsageId; extern "C" bool EncoderReplacementFallbackBuffer_Fallback_m2505575553 (EncoderReplacementFallbackBuffer_t1145712028 * __this, int32_t ___index, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (EncoderReplacementFallbackBuffer_Fallback_m2505575553_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = __this->get_fallback_assigned_2(); if (!L_0) { goto IL_0021; } } { int32_t L_1 = EncoderReplacementFallbackBuffer_get_Remaining_m3963160455(__this, /*hidden argument*/NULL); if (!L_1) { goto IL_0021; } } { ArgumentException_t124305799 * L_2 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_2, _stringLiteral920260852, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_0021: { int32_t L_3 = ___index; if ((((int32_t)L_3) >= ((int32_t)0))) { goto IL_0033; } } { ArgumentOutOfRangeException_t3479058991 * L_4 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_4, _stringLiteral100346066, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_0033: { __this->set_fallback_assigned_2((bool)1); __this->set_current_1(0); String_t* L_5 = __this->get_replacement_0(); NullCheck(L_5); int32_t L_6 = String_get_Length_m2979997331(L_5, /*hidden argument*/NULL); return (bool)((((int32_t)L_6) > ((int32_t)0))? 1 : 0); } } // System.Char System.Text.EncoderReplacementFallbackBuffer::GetNextChar() extern "C" uint16_t EncoderReplacementFallbackBuffer_GetNextChar_m491962295 (EncoderReplacementFallbackBuffer_t1145712028 * __this, const MethodInfo* method) { int32_t V_0 = 0; { int32_t L_0 = __this->get_current_1(); String_t* L_1 = __this->get_replacement_0(); NullCheck(L_1); int32_t L_2 = String_get_Length_m2979997331(L_1, /*hidden argument*/NULL); if ((((int32_t)L_0) < ((int32_t)L_2))) { goto IL_0018; } } { return 0; } IL_0018: { String_t* L_3 = __this->get_replacement_0(); int32_t L_4 = __this->get_current_1(); int32_t L_5 = L_4; V_0 = L_5; __this->set_current_1(((int32_t)((int32_t)L_5+(int32_t)1))); int32_t L_6 = V_0; NullCheck(L_3); uint16_t L_7 = String_get_Chars_m3015341861(L_3, L_6, /*hidden argument*/NULL); return L_7; } } // System.Void System.Text.Encoding::.ctor() extern "C" void Encoding__ctor_m1037401021 (Encoding_t180559927 * __this, const MethodInfo* method) { { __this->set_is_readonly_2((bool)1); Object__ctor_m1772956182(__this, /*hidden argument*/NULL); return; } } // System.Void System.Text.Encoding::.ctor(System.Int32) extern TypeInfo* DecoderFallback_t4033313258_il2cpp_TypeInfo_var; extern TypeInfo* EncoderFallback_t990837442_il2cpp_TypeInfo_var; extern const uint32_t Encoding__ctor_m1203666318_MetadataUsageId; extern "C" void Encoding__ctor_m1203666318 (Encoding_t180559927 * __this, int32_t ___codePage, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding__ctor_m1203666318_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { __this->set_is_readonly_2((bool)1); Object__ctor_m1772956182(__this, /*hidden argument*/NULL); int32_t L_0 = ___codePage; int32_t L_1 = L_0; V_0 = L_1; __this->set_windows_code_page_1(L_1); int32_t L_2 = V_0; __this->set_codePage_0(L_2); int32_t L_3 = ___codePage; V_0 = L_3; int32_t L_4 = V_0; if ((((int32_t)L_4) == ((int32_t)((int32_t)1200)))) { goto IL_00b2; } } { int32_t L_5 = V_0; if ((((int32_t)L_5) == ((int32_t)((int32_t)1201)))) { goto IL_00b2; } } { int32_t L_6 = V_0; if ((((int32_t)L_6) == ((int32_t)((int32_t)12000)))) { goto IL_00b2; } } { int32_t L_7 = V_0; if ((((int32_t)L_7) == ((int32_t)((int32_t)12001)))) { goto IL_00b2; } } { int32_t L_8 = V_0; if ((((int32_t)L_8) == ((int32_t)((int32_t)65000)))) { goto IL_00b2; } } { int32_t L_9 = V_0; if ((((int32_t)L_9) == ((int32_t)((int32_t)65001)))) { goto IL_00b2; } } { int32_t L_10 = V_0; if ((((int32_t)L_10) == ((int32_t)((int32_t)20127)))) { goto IL_0097; } } { int32_t L_11 = V_0; if ((((int32_t)L_11) == ((int32_t)((int32_t)54936)))) { goto IL_0097; } } { goto IL_007c; } IL_007c: { IL2CPP_RUNTIME_CLASS_INIT(DecoderFallback_t4033313258_il2cpp_TypeInfo_var); DecoderFallback_t4033313258 * L_12 = DecoderFallback_get_ReplacementFallback_m2886502920(NULL /*static, unused*/, /*hidden argument*/NULL); __this->set_decoder_fallback_3(L_12); IL2CPP_RUNTIME_CLASS_INIT(EncoderFallback_t990837442_il2cpp_TypeInfo_var); EncoderFallback_t990837442 * L_13 = EncoderFallback_get_ReplacementFallback_m1506913880(NULL /*static, unused*/, /*hidden argument*/NULL); __this->set_encoder_fallback_4(L_13); goto IL_00cd; } IL_0097: { IL2CPP_RUNTIME_CLASS_INIT(DecoderFallback_t4033313258_il2cpp_TypeInfo_var); DecoderFallback_t4033313258 * L_14 = DecoderFallback_get_ReplacementFallback_m2886502920(NULL /*static, unused*/, /*hidden argument*/NULL); __this->set_decoder_fallback_3(L_14); IL2CPP_RUNTIME_CLASS_INIT(EncoderFallback_t990837442_il2cpp_TypeInfo_var); EncoderFallback_t990837442 * L_15 = EncoderFallback_get_ReplacementFallback_m1506913880(NULL /*static, unused*/, /*hidden argument*/NULL); __this->set_encoder_fallback_4(L_15); goto IL_00cd; } IL_00b2: { IL2CPP_RUNTIME_CLASS_INIT(DecoderFallback_t4033313258_il2cpp_TypeInfo_var); DecoderFallback_t4033313258 * L_16 = DecoderFallback_get_StandardSafeFallback_m2811048538(NULL /*static, unused*/, /*hidden argument*/NULL); __this->set_decoder_fallback_3(L_16); IL2CPP_RUNTIME_CLASS_INIT(EncoderFallback_t990837442_il2cpp_TypeInfo_var); EncoderFallback_t990837442 * L_17 = EncoderFallback_get_StandardSafeFallback_m2993461258(NULL /*static, unused*/, /*hidden argument*/NULL); __this->set_encoder_fallback_4(L_17); goto IL_00cd; } IL_00cd: { return; } } // System.Void System.Text.Encoding::.cctor() extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern TypeInfo* Int32_t2847414787_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* Il2CppObject_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral93106001; extern Il2CppCodeGenString* _stringLiteral3841929840; extern Il2CppCodeGenString* _stringLiteral3742; extern Il2CppCodeGenString* _stringLiteral1351499948; extern Il2CppCodeGenString* _stringLiteral1351500008; extern Il2CppCodeGenString* _stringLiteral94815911; extern Il2CppCodeGenString* _stringLiteral1054009569; extern Il2CppCodeGenString* _stringLiteral3099863872; extern Il2CppCodeGenString* _stringLiteral564010522; extern Il2CppCodeGenString* _stringLiteral3374897098; extern Il2CppCodeGenString* _stringLiteral1416342429; extern Il2CppCodeGenString* _stringLiteral111608735; extern Il2CppCodeGenString* _stringLiteral602189885; extern Il2CppCodeGenString* _stringLiteral2252400929; extern Il2CppCodeGenString* _stringLiteral3852410081; extern Il2CppCodeGenString* _stringLiteral3762398490; extern Il2CppCodeGenString* _stringLiteral1067440346; extern Il2CppCodeGenString* _stringLiteral111608736; extern Il2CppCodeGenString* _stringLiteral2252400930; extern Il2CppCodeGenString* _stringLiteral3852410082; extern Il2CppCodeGenString* _stringLiteral3762398491; extern Il2CppCodeGenString* _stringLiteral1067440347; extern Il2CppCodeGenString* _stringLiteral3459870653; extern Il2CppCodeGenString* _stringLiteral1444177430; extern Il2CppCodeGenString* _stringLiteral111114776; extern Il2CppCodeGenString* _stringLiteral4007951069; extern Il2CppCodeGenString* _stringLiteral4168530669; extern Il2CppCodeGenString* _stringLiteral2691804636; extern Il2CppCodeGenString* _stringLiteral631013568; extern Il2CppCodeGenString* _stringLiteral3459870711; extern Il2CppCodeGenString* _stringLiteral1444233168; extern Il2CppCodeGenString* _stringLiteral111114778; extern Il2CppCodeGenString* _stringLiteral1444232858; extern Il2CppCodeGenString* _stringLiteral3685561680; extern Il2CppCodeGenString* _stringLiteral3185089965; extern const uint32_t Encoding__cctor_m1612564368_MetadataUsageId; extern "C" void Encoding__cctor_m1612564368 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding__cctor_m1612564368_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ObjectU5BU5D_t11523773* L_0 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)((int32_t)43))); int32_t L_1 = ((int32_t)20127); Il2CppObject * L_2 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_1); NullCheck(L_0); IL2CPP_ARRAY_BOUNDS_CHECK(L_0, 0); ArrayElementTypeCheck (L_0, L_2); (L_0)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_2); ObjectU5BU5D_t11523773* L_3 = L_0; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 1); ArrayElementTypeCheck (L_3, _stringLiteral93106001); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(1), (Il2CppObject *)_stringLiteral93106001); ObjectU5BU5D_t11523773* L_4 = L_3; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 2); ArrayElementTypeCheck (L_4, _stringLiteral3841929840); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(2), (Il2CppObject *)_stringLiteral3841929840); ObjectU5BU5D_t11523773* L_5 = L_4; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, 3); ArrayElementTypeCheck (L_5, _stringLiteral3742); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(3), (Il2CppObject *)_stringLiteral3742); ObjectU5BU5D_t11523773* L_6 = L_5; NullCheck(L_6); IL2CPP_ARRAY_BOUNDS_CHECK(L_6, 4); ArrayElementTypeCheck (L_6, _stringLiteral1351499948); (L_6)->SetAt(static_cast<il2cpp_array_size_t>(4), (Il2CppObject *)_stringLiteral1351499948); ObjectU5BU5D_t11523773* L_7 = L_6; NullCheck(L_7); IL2CPP_ARRAY_BOUNDS_CHECK(L_7, 5); ArrayElementTypeCheck (L_7, _stringLiteral1351500008); (L_7)->SetAt(static_cast<il2cpp_array_size_t>(5), (Il2CppObject *)_stringLiteral1351500008); ObjectU5BU5D_t11523773* L_8 = L_7; NullCheck(L_8); IL2CPP_ARRAY_BOUNDS_CHECK(L_8, 6); ArrayElementTypeCheck (L_8, _stringLiteral94815911); (L_8)->SetAt(static_cast<il2cpp_array_size_t>(6), (Il2CppObject *)_stringLiteral94815911); ObjectU5BU5D_t11523773* L_9 = L_8; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, 7); ArrayElementTypeCheck (L_9, _stringLiteral1054009569); (L_9)->SetAt(static_cast<il2cpp_array_size_t>(7), (Il2CppObject *)_stringLiteral1054009569); ObjectU5BU5D_t11523773* L_10 = L_9; NullCheck(L_10); IL2CPP_ARRAY_BOUNDS_CHECK(L_10, 8); ArrayElementTypeCheck (L_10, _stringLiteral3099863872); (L_10)->SetAt(static_cast<il2cpp_array_size_t>(8), (Il2CppObject *)_stringLiteral3099863872); ObjectU5BU5D_t11523773* L_11 = L_10; NullCheck(L_11); IL2CPP_ARRAY_BOUNDS_CHECK(L_11, ((int32_t)9)); ArrayElementTypeCheck (L_11, _stringLiteral564010522); (L_11)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)9)), (Il2CppObject *)_stringLiteral564010522); ObjectU5BU5D_t11523773* L_12 = L_11; NullCheck(L_12); IL2CPP_ARRAY_BOUNDS_CHECK(L_12, ((int32_t)10)); ArrayElementTypeCheck (L_12, _stringLiteral3374897098); (L_12)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)10)), (Il2CppObject *)_stringLiteral3374897098); ObjectU5BU5D_t11523773* L_13 = L_12; NullCheck(L_13); IL2CPP_ARRAY_BOUNDS_CHECK(L_13, ((int32_t)11)); ArrayElementTypeCheck (L_13, _stringLiteral1416342429); (L_13)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)11)), (Il2CppObject *)_stringLiteral1416342429); ObjectU5BU5D_t11523773* L_14 = L_13; int32_t L_15 = ((int32_t)65000); Il2CppObject * L_16 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_15); NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, ((int32_t)12)); ArrayElementTypeCheck (L_14, L_16); (L_14)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)12)), (Il2CppObject *)L_16); ObjectU5BU5D_t11523773* L_17 = L_14; NullCheck(L_17); IL2CPP_ARRAY_BOUNDS_CHECK(L_17, ((int32_t)13)); ArrayElementTypeCheck (L_17, _stringLiteral111608735); (L_17)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)13)), (Il2CppObject *)_stringLiteral111608735); ObjectU5BU5D_t11523773* L_18 = L_17; NullCheck(L_18); IL2CPP_ARRAY_BOUNDS_CHECK(L_18, ((int32_t)14)); ArrayElementTypeCheck (L_18, _stringLiteral602189885); (L_18)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)14)), (Il2CppObject *)_stringLiteral602189885); ObjectU5BU5D_t11523773* L_19 = L_18; NullCheck(L_19); IL2CPP_ARRAY_BOUNDS_CHECK(L_19, ((int32_t)15)); ArrayElementTypeCheck (L_19, _stringLiteral2252400929); (L_19)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)15)), (Il2CppObject *)_stringLiteral2252400929); ObjectU5BU5D_t11523773* L_20 = L_19; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, ((int32_t)16)); ArrayElementTypeCheck (L_20, _stringLiteral3852410081); (L_20)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)16)), (Il2CppObject *)_stringLiteral3852410081); ObjectU5BU5D_t11523773* L_21 = L_20; NullCheck(L_21); IL2CPP_ARRAY_BOUNDS_CHECK(L_21, ((int32_t)17)); ArrayElementTypeCheck (L_21, _stringLiteral3762398490); (L_21)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)17)), (Il2CppObject *)_stringLiteral3762398490); ObjectU5BU5D_t11523773* L_22 = L_21; NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, ((int32_t)18)); ArrayElementTypeCheck (L_22, _stringLiteral1067440346); (L_22)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)18)), (Il2CppObject *)_stringLiteral1067440346); ObjectU5BU5D_t11523773* L_23 = L_22; int32_t L_24 = ((int32_t)65001); Il2CppObject * L_25 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_24); NullCheck(L_23); IL2CPP_ARRAY_BOUNDS_CHECK(L_23, ((int32_t)19)); ArrayElementTypeCheck (L_23, L_25); (L_23)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)19)), (Il2CppObject *)L_25); ObjectU5BU5D_t11523773* L_26 = L_23; NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, ((int32_t)20)); ArrayElementTypeCheck (L_26, _stringLiteral111608736); (L_26)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)20)), (Il2CppObject *)_stringLiteral111608736); ObjectU5BU5D_t11523773* L_27 = L_26; NullCheck(L_27); IL2CPP_ARRAY_BOUNDS_CHECK(L_27, ((int32_t)21)); ArrayElementTypeCheck (L_27, _stringLiteral2252400930); (L_27)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)21)), (Il2CppObject *)_stringLiteral2252400930); ObjectU5BU5D_t11523773* L_28 = L_27; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, ((int32_t)22)); ArrayElementTypeCheck (L_28, _stringLiteral3852410082); (L_28)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)22)), (Il2CppObject *)_stringLiteral3852410082); ObjectU5BU5D_t11523773* L_29 = L_28; NullCheck(L_29); IL2CPP_ARRAY_BOUNDS_CHECK(L_29, ((int32_t)23)); ArrayElementTypeCheck (L_29, _stringLiteral3762398491); (L_29)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)23)), (Il2CppObject *)_stringLiteral3762398491); ObjectU5BU5D_t11523773* L_30 = L_29; NullCheck(L_30); IL2CPP_ARRAY_BOUNDS_CHECK(L_30, ((int32_t)24)); ArrayElementTypeCheck (L_30, _stringLiteral1067440347); (L_30)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)24)), (Il2CppObject *)_stringLiteral1067440347); ObjectU5BU5D_t11523773* L_31 = L_30; int32_t L_32 = ((int32_t)1200); Il2CppObject * L_33 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_32); NullCheck(L_31); IL2CPP_ARRAY_BOUNDS_CHECK(L_31, ((int32_t)25)); ArrayElementTypeCheck (L_31, L_33); (L_31)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)25)), (Il2CppObject *)L_33); ObjectU5BU5D_t11523773* L_34 = L_31; NullCheck(L_34); IL2CPP_ARRAY_BOUNDS_CHECK(L_34, ((int32_t)26)); ArrayElementTypeCheck (L_34, _stringLiteral3459870653); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)26)), (Il2CppObject *)_stringLiteral3459870653); ObjectU5BU5D_t11523773* L_35 = L_34; NullCheck(L_35); IL2CPP_ARRAY_BOUNDS_CHECK(L_35, ((int32_t)27)); ArrayElementTypeCheck (L_35, _stringLiteral1444177430); (L_35)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)27)), (Il2CppObject *)_stringLiteral1444177430); ObjectU5BU5D_t11523773* L_36 = L_35; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, ((int32_t)28)); ArrayElementTypeCheck (L_36, _stringLiteral111114776); (L_36)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)28)), (Il2CppObject *)_stringLiteral111114776); ObjectU5BU5D_t11523773* L_37 = L_36; NullCheck(L_37); IL2CPP_ARRAY_BOUNDS_CHECK(L_37, ((int32_t)29)); ArrayElementTypeCheck (L_37, _stringLiteral4007951069); (L_37)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)29)), (Il2CppObject *)_stringLiteral4007951069); ObjectU5BU5D_t11523773* L_38 = L_37; NullCheck(L_38); IL2CPP_ARRAY_BOUNDS_CHECK(L_38, ((int32_t)30)); ArrayElementTypeCheck (L_38, _stringLiteral4168530669); (L_38)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)30)), (Il2CppObject *)_stringLiteral4168530669); ObjectU5BU5D_t11523773* L_39 = L_38; int32_t L_40 = ((int32_t)1201); Il2CppObject * L_41 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_40); NullCheck(L_39); IL2CPP_ARRAY_BOUNDS_CHECK(L_39, ((int32_t)31)); ArrayElementTypeCheck (L_39, L_41); (L_39)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)31)), (Il2CppObject *)L_41); ObjectU5BU5D_t11523773* L_42 = L_39; NullCheck(L_42); IL2CPP_ARRAY_BOUNDS_CHECK(L_42, ((int32_t)32)); ArrayElementTypeCheck (L_42, _stringLiteral2691804636); (L_42)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)32)), (Il2CppObject *)_stringLiteral2691804636); ObjectU5BU5D_t11523773* L_43 = L_42; NullCheck(L_43); IL2CPP_ARRAY_BOUNDS_CHECK(L_43, ((int32_t)33)); ArrayElementTypeCheck (L_43, _stringLiteral631013568); (L_43)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)33)), (Il2CppObject *)_stringLiteral631013568); ObjectU5BU5D_t11523773* L_44 = L_43; int32_t L_45 = ((int32_t)12000); Il2CppObject * L_46 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_45); NullCheck(L_44); IL2CPP_ARRAY_BOUNDS_CHECK(L_44, ((int32_t)34)); ArrayElementTypeCheck (L_44, L_46); (L_44)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)34)), (Il2CppObject *)L_46); ObjectU5BU5D_t11523773* L_47 = L_44; NullCheck(L_47); IL2CPP_ARRAY_BOUNDS_CHECK(L_47, ((int32_t)35)); ArrayElementTypeCheck (L_47, _stringLiteral3459870711); (L_47)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)35)), (Il2CppObject *)_stringLiteral3459870711); ObjectU5BU5D_t11523773* L_48 = L_47; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, ((int32_t)36)); ArrayElementTypeCheck (L_48, _stringLiteral1444233168); (L_48)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)36)), (Il2CppObject *)_stringLiteral1444233168); ObjectU5BU5D_t11523773* L_49 = L_48; NullCheck(L_49); IL2CPP_ARRAY_BOUNDS_CHECK(L_49, ((int32_t)37)); ArrayElementTypeCheck (L_49, _stringLiteral111114778); (L_49)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)37)), (Il2CppObject *)_stringLiteral111114778); ObjectU5BU5D_t11523773* L_50 = L_49; int32_t L_51 = ((int32_t)12001); Il2CppObject * L_52 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_51); NullCheck(L_50); IL2CPP_ARRAY_BOUNDS_CHECK(L_50, ((int32_t)38)); ArrayElementTypeCheck (L_50, L_52); (L_50)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)38)), (Il2CppObject *)L_52); ObjectU5BU5D_t11523773* L_53 = L_50; NullCheck(L_53); IL2CPP_ARRAY_BOUNDS_CHECK(L_53, ((int32_t)39)); ArrayElementTypeCheck (L_53, _stringLiteral1444232858); (L_53)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)39)), (Il2CppObject *)_stringLiteral1444232858); ObjectU5BU5D_t11523773* L_54 = L_53; int32_t L_55 = ((int32_t)28591); Il2CppObject * L_56 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_55); NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, ((int32_t)40)); ArrayElementTypeCheck (L_54, L_56); (L_54)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)40)), (Il2CppObject *)L_56); ObjectU5BU5D_t11523773* L_57 = L_54; NullCheck(L_57); IL2CPP_ARRAY_BOUNDS_CHECK(L_57, ((int32_t)41)); ArrayElementTypeCheck (L_57, _stringLiteral3685561680); (L_57)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)41)), (Il2CppObject *)_stringLiteral3685561680); ObjectU5BU5D_t11523773* L_58 = L_57; NullCheck(L_58); IL2CPP_ARRAY_BOUNDS_CHECK(L_58, ((int32_t)42)); ArrayElementTypeCheck (L_58, _stringLiteral3185089965); (L_58)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)42)), (Il2CppObject *)_stringLiteral3185089965); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_encodings_7(L_58); Il2CppObject * L_59 = (Il2CppObject *)il2cpp_codegen_object_new(Il2CppObject_il2cpp_TypeInfo_var); Object__ctor_m1772956182(L_59, /*hidden argument*/NULL); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_lockobj_27(L_59); return; } } // System.String System.Text.Encoding::_(System.String) extern "C" String_t* Encoding___m2147510347 (Il2CppObject * __this /* static, unused */, String_t* ___arg, const MethodInfo* method) { { String_t* L_0 = ___arg; return L_0; } } // System.Boolean System.Text.Encoding::get_IsReadOnly() extern "C" bool Encoding_get_IsReadOnly_m1827016926 (Encoding_t180559927 * __this, const MethodInfo* method) { { bool L_0 = __this->get_is_readonly_2(); return L_0; } } // System.Text.DecoderFallback System.Text.Encoding::get_DecoderFallback() extern "C" DecoderFallback_t4033313258 * Encoding_get_DecoderFallback_m3409202121 (Encoding_t180559927 * __this, const MethodInfo* method) { { DecoderFallback_t4033313258 * L_0 = __this->get_decoder_fallback_3(); return L_0; } } // System.Void System.Text.Encoding::set_DecoderFallback(System.Text.DecoderFallback) extern TypeInfo* InvalidOperationException_t2420574324_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral668341345; extern const uint32_t Encoding_set_DecoderFallback_m3527983786_MetadataUsageId; extern "C" void Encoding_set_DecoderFallback_m3527983786 (Encoding_t180559927 * __this, DecoderFallback_t4033313258 * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_set_DecoderFallback_m3527983786_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = Encoding_get_IsReadOnly_m1827016926(__this, /*hidden argument*/NULL); if (!L_0) { goto IL_0016; } } { InvalidOperationException_t2420574324 * L_1 = (InvalidOperationException_t2420574324 *)il2cpp_codegen_object_new(InvalidOperationException_t2420574324_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m1485483280(L_1, _stringLiteral668341345, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0016: { DecoderFallback_t4033313258 * L_2 = ___value; if (L_2) { goto IL_0022; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m2162372070(L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0022: { DecoderFallback_t4033313258 * L_4 = ___value; __this->set_decoder_fallback_3(L_4); return; } } // System.Text.EncoderFallback System.Text.Encoding::get_EncoderFallback() extern "C" EncoderFallback_t990837442 * Encoding_get_EncoderFallback_m252351353 (Encoding_t180559927 * __this, const MethodInfo* method) { { EncoderFallback_t990837442 * L_0 = __this->get_encoder_fallback_4(); return L_0; } } // System.Void System.Text.Encoding::SetFallbackInternal(System.Text.EncoderFallback,System.Text.DecoderFallback) extern "C" void Encoding_SetFallbackInternal_m1712004450 (Encoding_t180559927 * __this, EncoderFallback_t990837442 * ___e, DecoderFallback_t4033313258 * ___d, const MethodInfo* method) { { EncoderFallback_t990837442 * L_0 = ___e; if (!L_0) { goto IL_000d; } } { EncoderFallback_t990837442 * L_1 = ___e; __this->set_encoder_fallback_4(L_1); } IL_000d: { DecoderFallback_t4033313258 * L_2 = ___d; if (!L_2) { goto IL_001a; } } { DecoderFallback_t4033313258 * L_3 = ___d; __this->set_decoder_fallback_3(L_3); } IL_001a: { return; } } // System.Boolean System.Text.Encoding::Equals(System.Object) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern const uint32_t Encoding_Equals_m3267361452_MetadataUsageId; extern "C" bool Encoding_Equals_m3267361452 (Encoding_t180559927 * __this, Il2CppObject * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_Equals_m3267361452_MetadataUsageId); s_Il2CppMethodIntialized = true; } Encoding_t180559927 * V_0 = NULL; int32_t G_B5_0 = 0; { Il2CppObject * L_0 = ___value; V_0 = ((Encoding_t180559927 *)IsInstClass(L_0, Encoding_t180559927_il2cpp_TypeInfo_var)); Encoding_t180559927 * L_1 = V_0; if (!L_1) { goto IL_0049; } } { int32_t L_2 = __this->get_codePage_0(); Encoding_t180559927 * L_3 = V_0; NullCheck(L_3); int32_t L_4 = L_3->get_codePage_0(); if ((!(((uint32_t)L_2) == ((uint32_t)L_4)))) { goto IL_0047; } } { DecoderFallback_t4033313258 * L_5 = Encoding_get_DecoderFallback_m3409202121(__this, /*hidden argument*/NULL); Encoding_t180559927 * L_6 = V_0; NullCheck(L_6); DecoderFallback_t4033313258 * L_7 = Encoding_get_DecoderFallback_m3409202121(L_6, /*hidden argument*/NULL); NullCheck(L_5); bool L_8 = VirtFuncInvoker1< bool, Il2CppObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_5, L_7); if (!L_8) { goto IL_0047; } } { EncoderFallback_t990837442 * L_9 = Encoding_get_EncoderFallback_m252351353(__this, /*hidden argument*/NULL); Encoding_t180559927 * L_10 = V_0; NullCheck(L_10); EncoderFallback_t990837442 * L_11 = Encoding_get_EncoderFallback_m252351353(L_10, /*hidden argument*/NULL); NullCheck(L_9); bool L_12 = VirtFuncInvoker1< bool, Il2CppObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_9, L_11); G_B5_0 = ((int32_t)(L_12)); goto IL_0048; } IL_0047: { G_B5_0 = 0; } IL_0048: { return (bool)G_B5_0; } IL_0049: { return (bool)0; } } // System.Int32 System.Text.Encoding::GetByteCount(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral115; extern const uint32_t Encoding_GetByteCount_m3861962638_MetadataUsageId; extern "C" int32_t Encoding_GetByteCount_m3861962638 (Encoding_t180559927 * __this, String_t* ___s, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetByteCount_m3861962638_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint16_t* V_0 = NULL; String_t* V_1 = NULL; { String_t* L_0 = ___s; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral115, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { String_t* L_2 = ___s; NullCheck(L_2); int32_t L_3 = String_get_Length_m2979997331(L_2, /*hidden argument*/NULL); if (L_3) { goto IL_001e; } } { return 0; } IL_001e: { String_t* L_4 = ___s; V_1 = L_4; String_t* L_5 = V_1; int32_t L_6 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_5))+(int32_t)L_6)); uint16_t* L_7 = V_0; String_t* L_8 = ___s; NullCheck(L_8); int32_t L_9 = String_get_Length_m2979997331(L_8, /*hidden argument*/NULL); int32_t L_10 = VirtFuncInvoker2< int32_t, uint16_t*, int32_t >::Invoke(23 /* System.Int32 System.Text.Encoding::GetByteCount(System.Char*,System.Int32) */, __this, (uint16_t*)(uint16_t*)L_7, L_9); return L_10; } } // System.Int32 System.Text.Encoding::GetByteCount(System.Char[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern const uint32_t Encoding_GetByteCount_m2187805511_MetadataUsageId; extern "C" int32_t Encoding_GetByteCount_m2187805511 (Encoding_t180559927 * __this, CharU5BU5D_t3416858730* ___chars, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetByteCount_m2187805511_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___chars; if (!L_0) { goto IL_0012; } } { CharU5BU5D_t3416858730* L_1 = ___chars; CharU5BU5D_t3416858730* L_2 = ___chars; NullCheck(L_2); int32_t L_3 = VirtFuncInvoker3< int32_t, CharU5BU5D_t3416858730*, int32_t, int32_t >::Invoke(5 /* System.Int32 System.Text.Encoding::GetByteCount(System.Char[],System.Int32,System.Int32) */, __this, L_1, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_2)->max_length))))); return L_3; } IL_0012: { ArgumentNullException_t3214793280 * L_4 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_4, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } } // System.Int32 System.Text.Encoding::GetBytes(System.String,System.Int32,System.Int32,System.Byte[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral115; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral2223324330; extern const uint32_t Encoding_GetBytes_m2409970698_MetadataUsageId; extern "C" int32_t Encoding_GetBytes_m2409970698 (Encoding_t180559927 * __this, String_t* ___s, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetBytes_m2409970698_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint16_t* V_0 = NULL; uint8_t* V_1 = NULL; String_t* V_2 = NULL; uintptr_t G_B18_0 = 0; { String_t* L_0 = ___s; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral115, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___charIndex; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0024; } } { int32_t L_3 = ___charIndex; String_t* L_4 = ___s; NullCheck(L_4); int32_t L_5 = String_get_Length_m2979997331(L_4, /*hidden argument*/NULL); if ((((int32_t)L_3) <= ((int32_t)L_5))) { goto IL_0039; } } IL_0024: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_6 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_7, _stringLiteral1542343452, L_6, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0039: { int32_t L_8 = ___charCount; if ((((int32_t)L_8) < ((int32_t)0))) { goto IL_004e; } } { int32_t L_9 = ___charIndex; String_t* L_10 = ___s; NullCheck(L_10); int32_t L_11 = String_get_Length_m2979997331(L_10, /*hidden argument*/NULL); int32_t L_12 = ___charCount; if ((((int32_t)L_9) <= ((int32_t)((int32_t)((int32_t)L_11-(int32_t)L_12))))) { goto IL_0063; } } IL_004e: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral1536848729, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_0063: { int32_t L_15 = ___byteIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0076; } } { int32_t L_16 = ___byteIndex; ByteU5BU5D_t58506160* L_17 = ___bytes; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_008b; } } IL_0076: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral2223324330, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_008b: { int32_t L_20 = ___charCount; if (!L_20) { goto IL_009c; } } { ByteU5BU5D_t58506160* L_21 = ___bytes; NullCheck(L_21); int32_t L_22 = ___byteIndex; if ((!(((uint32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_21)->max_length))))) == ((uint32_t)L_22)))) { goto IL_009e; } } IL_009c: { return 0; } IL_009e: { String_t* L_23 = ___s; V_2 = L_23; String_t* L_24 = V_2; int32_t L_25 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_0 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_24))+(int32_t)L_25)); ByteU5BU5D_t58506160* L_26 = ___bytes; if (!L_26) { goto IL_00b9; } } { ByteU5BU5D_t58506160* L_27 = ___bytes; NullCheck(L_27); if ((((int32_t)((int32_t)(((Il2CppArray *)L_27)->max_length))))) { goto IL_00c0; } } IL_00b9: { G_B18_0 = (((uintptr_t)0)); goto IL_00c8; } IL_00c0: { ByteU5BU5D_t58506160* L_28 = ___bytes; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, 0); G_B18_0 = ((uintptr_t)(((L_28)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_00c8: { V_1 = (uint8_t*)G_B18_0; uint16_t* L_29 = V_0; int32_t L_30 = ___charIndex; int32_t L_31 = ___charCount; uint8_t* L_32 = V_1; int32_t L_33 = ___byteIndex; ByteU5BU5D_t58506160* L_34 = ___bytes; NullCheck(L_34); int32_t L_35 = ___byteIndex; int32_t L_36 = VirtFuncInvoker4< int32_t, uint16_t*, int32_t, uint8_t*, int32_t >::Invoke(24 /* System.Int32 System.Text.Encoding::GetBytes(System.Char*,System.Int32,System.Byte*,System.Int32) */, __this, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_29+(int32_t)((int32_t)((int32_t)L_30*(int32_t)2)))), L_31, (uint8_t*)(uint8_t*)((uint8_t*)((intptr_t)L_32+(int32_t)L_33)), ((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_34)->max_length))))-(int32_t)L_35))); return L_36; } } // System.Byte[] System.Text.Encoding::GetBytes(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral115; extern const uint32_t Encoding_GetBytes_m2632143804_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* Encoding_GetBytes_m2632143804 (Encoding_t180559927 * __this, String_t* ___s, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetBytes_m2632143804_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint16_t* V_1 = NULL; ByteU5BU5D_t58506160* V_2 = NULL; uint8_t* V_3 = NULL; String_t* V_4 = NULL; uintptr_t G_B10_0 = 0; { String_t* L_0 = ___s; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral115, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { String_t* L_2 = ___s; NullCheck(L_2); int32_t L_3 = String_get_Length_m2979997331(L_2, /*hidden argument*/NULL); if (L_3) { goto IL_0023; } } { return ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)0)); } IL_0023: { String_t* L_4 = ___s; int32_t L_5 = VirtFuncInvoker1< int32_t, String_t* >::Invoke(6 /* System.Int32 System.Text.Encoding::GetByteCount(System.String) */, __this, L_4); V_0 = L_5; int32_t L_6 = V_0; if (L_6) { goto IL_0038; } } { return ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)0)); } IL_0038: { String_t* L_7 = ___s; V_4 = L_7; String_t* L_8 = V_4; int32_t L_9 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_8))+(int32_t)L_9)); int32_t L_10 = V_0; V_2 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)L_10)); ByteU5BU5D_t58506160* L_11 = V_2; if (!L_11) { goto IL_005a; } } { ByteU5BU5D_t58506160* L_12 = V_2; NullCheck(L_12); if ((((int32_t)((int32_t)(((Il2CppArray *)L_12)->max_length))))) { goto IL_0061; } } IL_005a: { G_B10_0 = (((uintptr_t)0)); goto IL_0068; } IL_0061: { ByteU5BU5D_t58506160* L_13 = V_2; NullCheck(L_13); IL2CPP_ARRAY_BOUNDS_CHECK(L_13, 0); G_B10_0 = ((uintptr_t)(((L_13)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_0068: { V_3 = (uint8_t*)G_B10_0; uint16_t* L_14 = V_1; String_t* L_15 = ___s; NullCheck(L_15); int32_t L_16 = String_get_Length_m2979997331(L_15, /*hidden argument*/NULL); uint8_t* L_17 = V_3; int32_t L_18 = V_0; VirtFuncInvoker4< int32_t, uint16_t*, int32_t, uint8_t*, int32_t >::Invoke(24 /* System.Int32 System.Text.Encoding::GetBytes(System.Char*,System.Int32,System.Byte*,System.Int32) */, __this, (uint16_t*)(uint16_t*)L_14, L_16, (uint8_t*)(uint8_t*)L_17, L_18); ByteU5BU5D_t58506160* L_19 = V_2; return L_19; } } // System.Byte[] System.Text.Encoding::GetBytes(System.Char[],System.Int32,System.Int32) extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t Encoding_GetBytes_m2769384597_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* Encoding_GetBytes_m2769384597 (Encoding_t180559927 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetBytes_m2769384597_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; ByteU5BU5D_t58506160* V_1 = NULL; { CharU5BU5D_t3416858730* L_0 = ___chars; int32_t L_1 = ___index; int32_t L_2 = ___count; int32_t L_3 = VirtFuncInvoker3< int32_t, CharU5BU5D_t3416858730*, int32_t, int32_t >::Invoke(5 /* System.Int32 System.Text.Encoding::GetByteCount(System.Char[],System.Int32,System.Int32) */, __this, L_0, L_1, L_2); V_0 = L_3; int32_t L_4 = V_0; V_1 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)L_4)); CharU5BU5D_t3416858730* L_5 = ___chars; int32_t L_6 = ___index; int32_t L_7 = ___count; ByteU5BU5D_t58506160* L_8 = V_1; VirtFuncInvoker5< int32_t, CharU5BU5D_t3416858730*, int32_t, int32_t, ByteU5BU5D_t58506160*, int32_t >::Invoke(8 /* System.Int32 System.Text.Encoding::GetBytes(System.Char[],System.Int32,System.Int32,System.Byte[],System.Int32) */, __this, L_5, L_6, L_7, L_8, 0); ByteU5BU5D_t58506160* L_9 = V_1; return L_9; } } // System.Byte[] System.Text.Encoding::GetBytes(System.Char[]) extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t Encoding_GetBytes_m957986677_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* Encoding_GetBytes_m957986677 (Encoding_t180559927 * __this, CharU5BU5D_t3416858730* ___chars, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetBytes_m957986677_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; ByteU5BU5D_t58506160* V_1 = NULL; { CharU5BU5D_t3416858730* L_0 = ___chars; CharU5BU5D_t3416858730* L_1 = ___chars; NullCheck(L_1); int32_t L_2 = VirtFuncInvoker3< int32_t, CharU5BU5D_t3416858730*, int32_t, int32_t >::Invoke(5 /* System.Int32 System.Text.Encoding::GetByteCount(System.Char[],System.Int32,System.Int32) */, __this, L_0, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_1)->max_length))))); V_0 = L_2; int32_t L_3 = V_0; V_1 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)L_3)); CharU5BU5D_t3416858730* L_4 = ___chars; CharU5BU5D_t3416858730* L_5 = ___chars; NullCheck(L_5); ByteU5BU5D_t58506160* L_6 = V_1; VirtFuncInvoker5< int32_t, CharU5BU5D_t3416858730*, int32_t, int32_t, ByteU5BU5D_t58506160*, int32_t >::Invoke(8 /* System.Int32 System.Text.Encoding::GetBytes(System.Char[],System.Int32,System.Int32,System.Byte[],System.Int32) */, __this, L_4, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_5)->max_length)))), L_6, 0); ByteU5BU5D_t58506160* L_7 = V_1; return L_7; } } // System.Char[] System.Text.Encoding::GetChars(System.Byte[],System.Int32,System.Int32) extern TypeInfo* CharU5BU5D_t3416858730_il2cpp_TypeInfo_var; extern const uint32_t Encoding_GetChars_m468469183_MetadataUsageId; extern "C" CharU5BU5D_t3416858730* Encoding_GetChars_m468469183 (Encoding_t180559927 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetChars_m468469183_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; CharU5BU5D_t3416858730* V_1 = NULL; { ByteU5BU5D_t58506160* L_0 = ___bytes; int32_t L_1 = ___index; int32_t L_2 = ___count; int32_t L_3 = VirtFuncInvoker3< int32_t, ByteU5BU5D_t58506160*, int32_t, int32_t >::Invoke(13 /* System.Int32 System.Text.Encoding::GetCharCount(System.Byte[],System.Int32,System.Int32) */, __this, L_0, L_1, L_2); V_0 = L_3; int32_t L_4 = V_0; V_1 = ((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_4)); ByteU5BU5D_t58506160* L_5 = ___bytes; int32_t L_6 = ___index; int32_t L_7 = ___count; CharU5BU5D_t3416858730* L_8 = V_1; VirtFuncInvoker5< int32_t, ByteU5BU5D_t58506160*, int32_t, int32_t, CharU5BU5D_t3416858730*, int32_t >::Invoke(14 /* System.Int32 System.Text.Encoding::GetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32) */, __this, L_5, L_6, L_7, L_8, 0); CharU5BU5D_t3416858730* L_9 = V_1; return L_9; } } // System.Text.Decoder System.Text.Encoding::GetDecoder() extern TypeInfo* ForwardingDecoder_t1189038695_il2cpp_TypeInfo_var; extern const uint32_t Encoding_GetDecoder_m3680646086_MetadataUsageId; extern "C" Decoder_t1611780840 * Encoding_GetDecoder_m3680646086 (Encoding_t180559927 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetDecoder_m3680646086_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ForwardingDecoder_t1189038695 * L_0 = (ForwardingDecoder_t1189038695 *)il2cpp_codegen_object_new(ForwardingDecoder_t1189038695_il2cpp_TypeInfo_var); ForwardingDecoder__ctor_m2930063152(L_0, __this, /*hidden argument*/NULL); return L_0; } } // System.Object System.Text.Encoding::InvokeI18N(System.String,System.Object[]) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* NotImplementedException_t1091014741_il2cpp_TypeInfo_var; extern TypeInfo* SystemException_t3155420757_il2cpp_TypeInfo_var; extern TypeInfo* MissingMethodException_t3839582685_il2cpp_TypeInfo_var; extern TypeInfo* SecurityException_t128786772_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2868756615; extern Il2CppCodeGenString* _stringLiteral3743415418; extern Il2CppCodeGenString* _stringLiteral2644639595; extern const uint32_t Encoding_InvokeI18N_m2813164284_MetadataUsageId; extern "C" Il2CppObject * Encoding_InvokeI18N_m2813164284 (Il2CppObject * __this /* static, unused */, String_t* ___name, ObjectU5BU5D_t11523773* ___args, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_InvokeI18N_m2813164284_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Type_t * V_1 = NULL; Il2CppObject * V_2 = NULL; Il2CppObject * V_3 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_0; Il2CppObject * L_1 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_1, /*hidden argument*/NULL); } IL_000c: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); bool L_2 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_i18nDisabled_6(); if (!L_2) { goto IL_001d; } } IL_0016: { V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_001d: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Assembly_t1882292308 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_i18nAssembly_5(); if (L_3) { goto IL_0071; } } IL_0027: try { // begin try (depth: 2) try { // begin try (depth: 3) Assembly_t1882292308 * L_4 = Assembly_Load_m4081902495(NULL /*static, unused*/, _stringLiteral2868756615, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_i18nAssembly_5(L_4); goto IL_004e; } // end try (depth: 3) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (NotImplementedException_t1091014741_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_003b; throw e; } CATCH_003b: { // begin catch(System.NotImplementedException) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_i18nDisabled_6((bool)1); V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_0049: { ; // IL_0049: leave IL_004e } } // end catch (depth: 3) IL_004e: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Assembly_t1882292308 * L_5 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_i18nAssembly_5(); if (L_5) { goto IL_005f; } } IL_0058: { V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_005f: { goto IL_0071; } } // end try (depth: 2) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (SystemException_t3155420757_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_0064; throw e; } CATCH_0064: { // begin catch(System.SystemException) { V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_006c: { ; // IL_006c: leave IL_0071 } } // end catch (depth: 2) IL_0071: try { // begin try (depth: 2) IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Assembly_t1882292308 * L_6 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_i18nAssembly_5(); NullCheck(L_6); Type_t * L_7 = VirtFuncInvoker1< Type_t *, String_t* >::Invoke(13 /* System.Type System.Reflection.Assembly::GetType(System.String) */, L_6, _stringLiteral3743415418); V_1 = L_7; goto IL_0099; } // end try (depth: 2) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (NotImplementedException_t1091014741_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_0086; throw e; } CATCH_0086: { // begin catch(System.NotImplementedException) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_i18nDisabled_6((bool)1); V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_0094: { ; // IL_0094: leave IL_0099 } } // end catch (depth: 2) IL_0099: { Type_t * L_8 = V_1; if (L_8) { goto IL_00a6; } } IL_009f: { V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_00a6: try { // begin try (depth: 2) { Type_t * L_9 = V_1; NullCheck(L_9); Il2CppObject * L_10 = VirtFuncInvoker8< Il2CppObject *, String_t*, int32_t, Binder_t4180926488 *, Il2CppObject *, ObjectU5BU5D_t11523773*, ParameterModifierU5BU5D_t3379147067*, CultureInfo_t3603717042 *, StringU5BU5D_t2956870243* >::Invoke(71 /* System.Object System.Type::InvokeMember(System.String,System.Reflection.BindingFlags,System.Reflection.Binder,System.Object,System.Object[],System.Reflection.ParameterModifier[],System.Globalization.CultureInfo,System.String[]) */, L_9, _stringLiteral2644639595, ((int32_t)4120), (Binder_t4180926488 *)NULL, NULL, (ObjectU5BU5D_t11523773*)(ObjectU5BU5D_t11523773*)NULL, (ParameterModifierU5BU5D_t3379147067*)(ParameterModifierU5BU5D_t3379147067*)NULL, (CultureInfo_t3603717042 *)NULL, (StringU5BU5D_t2956870243*)(StringU5BU5D_t2956870243*)NULL); V_2 = L_10; Il2CppObject * L_11 = V_2; if (L_11) { goto IL_00ca; } } IL_00c3: { V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_00ca: { goto IL_00fc; } } // end try (depth: 2) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (MissingMethodException_t3839582685_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_00cf; if(il2cpp_codegen_class_is_assignable_from (SecurityException_t128786772_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_00dc; if(il2cpp_codegen_class_is_assignable_from (NotImplementedException_t1091014741_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_00e9; throw e; } CATCH_00cf: { // begin catch(System.MissingMethodException) { V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_00d7: { ; // IL_00d7: leave IL_00fc } } // end catch (depth: 2) CATCH_00dc: { // begin catch(System.Security.SecurityException) { V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_00e4: { ; // IL_00e4: leave IL_00fc } } // end catch (depth: 2) CATCH_00e9: { // begin catch(System.NotImplementedException) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_i18nDisabled_6((bool)1); V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_00f7: { ; // IL_00f7: leave IL_00fc } } // end catch (depth: 2) IL_00fc: try { // begin try (depth: 2) { Type_t * L_12 = V_1; String_t* L_13 = ___name; Il2CppObject * L_14 = V_2; ObjectU5BU5D_t11523773* L_15 = ___args; NullCheck(L_12); Il2CppObject * L_16 = VirtFuncInvoker8< Il2CppObject *, String_t*, int32_t, Binder_t4180926488 *, Il2CppObject *, ObjectU5BU5D_t11523773*, ParameterModifierU5BU5D_t3379147067*, CultureInfo_t3603717042 *, StringU5BU5D_t2956870243* >::Invoke(71 /* System.Object System.Type::InvokeMember(System.String,System.Reflection.BindingFlags,System.Reflection.Binder,System.Object,System.Object[],System.Reflection.ParameterModifier[],System.Globalization.CultureInfo,System.String[]) */, L_12, L_13, ((int32_t)276), (Binder_t4180926488 *)NULL, L_14, L_15, (ParameterModifierU5BU5D_t3379147067*)(ParameterModifierU5BU5D_t3379147067*)NULL, (CultureInfo_t3603717042 *)NULL, (StringU5BU5D_t2956870243*)(StringU5BU5D_t2956870243*)NULL); V_3 = L_16; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_0114: { ; // IL_0114: leave IL_0133 } } // end try (depth: 2) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (MissingMethodException_t3839582685_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_0119; if(il2cpp_codegen_class_is_assignable_from (SecurityException_t128786772_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_0126; throw e; } CATCH_0119: { // begin catch(System.MissingMethodException) { V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_0121: { ; // IL_0121: leave IL_0133 } } // end catch (depth: 2) CATCH_0126: { // begin catch(System.Security.SecurityException) { V_3 = NULL; IL2CPP_LEAVE(0x13F, FINALLY_0138); } IL_012e: { ; // IL_012e: leave IL_0133 } } // end catch (depth: 2) IL_0133: { IL2CPP_LEAVE(0x13F, FINALLY_0138); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0138; } FINALLY_0138: { // begin finally (depth: 1) Il2CppObject * L_17 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_17, /*hidden argument*/NULL); IL2CPP_END_FINALLY(312) } // end finally (depth: 1) IL2CPP_CLEANUP(312) { IL2CPP_JUMP_TBL(0x13F, IL_013f) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_013f: { Il2CppObject * L_18 = V_3; return L_18; } } // System.Text.Encoding System.Text.Encoding::GetEncoding(System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern TypeInfo* Int32_t2847414787_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* Type_t_il2cpp_TypeInfo_var; extern TypeInfo* NotSupportedException_t1374155497_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3427815932; extern Il2CppCodeGenString* _stringLiteral2841227607; extern Il2CppCodeGenString* _stringLiteral1162023593; extern Il2CppCodeGenString* _stringLiteral512560143; extern Il2CppCodeGenString* _stringLiteral907585701; extern const uint32_t Encoding_GetEncoding_m2886882079_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_GetEncoding_m2886882079 (Il2CppObject * __this /* static, unused */, int32_t ___codepage, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetEncoding_m2886882079_MetadataUsageId); s_Il2CppMethodIntialized = true; } Encoding_t180559927 * V_0 = NULL; String_t* V_1 = NULL; Assembly_t1882292308 * V_2 = NULL; Type_t * V_3 = NULL; int32_t V_4 = 0; { int32_t L_0 = ___codepage; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_0012; } } { int32_t L_1 = ___codepage; if ((((int32_t)L_1) <= ((int32_t)((int32_t)65535)))) { goto IL_0022; } } IL_0012: { ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral3427815932, _stringLiteral2841227607, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_0022: { int32_t L_3 = ___codepage; V_4 = L_3; int32_t L_4 = V_4; if ((((int32_t)L_4) == ((int32_t)((int32_t)1200)))) { goto IL_00b5; } } { int32_t L_5 = V_4; if ((((int32_t)L_5) == ((int32_t)((int32_t)1201)))) { goto IL_00bb; } } { int32_t L_6 = V_4; if ((((int32_t)L_6) == ((int32_t)((int32_t)12000)))) { goto IL_00a9; } } { int32_t L_7 = V_4; if ((((int32_t)L_7) == ((int32_t)((int32_t)12001)))) { goto IL_00af; } } { int32_t L_8 = V_4; if ((((int32_t)L_8) == ((int32_t)((int32_t)65000)))) { goto IL_009d; } } { int32_t L_9 = V_4; if ((((int32_t)L_9) == ((int32_t)((int32_t)65001)))) { goto IL_00a3; } } { int32_t L_10 = V_4; if (!L_10) { goto IL_0091; } } { int32_t L_11 = V_4; if ((((int32_t)L_11) == ((int32_t)((int32_t)20127)))) { goto IL_0097; } } { int32_t L_12 = V_4; if ((((int32_t)L_12) == ((int32_t)((int32_t)28591)))) { goto IL_00c1; } } { goto IL_00c7; } IL_0091: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_13 = Encoding_get_Default_m1600689821(NULL /*static, unused*/, /*hidden argument*/NULL); return L_13; } IL_0097: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_14 = Encoding_get_ASCII_m1425378925(NULL /*static, unused*/, /*hidden argument*/NULL); return L_14; } IL_009d: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_15 = Encoding_get_UTF7_m619557558(NULL /*static, unused*/, /*hidden argument*/NULL); return L_15; } IL_00a3: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_16 = Encoding_get_UTF8_m619558519(NULL /*static, unused*/, /*hidden argument*/NULL); return L_16; } IL_00a9: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_17 = Encoding_get_UTF32_m2026305570(NULL /*static, unused*/, /*hidden argument*/NULL); return L_17; } IL_00af: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_18 = Encoding_get_BigEndianUTF32_m3679331473(NULL /*static, unused*/, /*hidden argument*/NULL); return L_18; } IL_00b5: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_19 = Encoding_get_Unicode_m2158134329(NULL /*static, unused*/, /*hidden argument*/NULL); return L_19; } IL_00bb: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_20 = Encoding_get_BigEndianUnicode_m1578127592(NULL /*static, unused*/, /*hidden argument*/NULL); return L_20; } IL_00c1: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_21 = Encoding_get_ISOLatin1_m4135279598(NULL /*static, unused*/, /*hidden argument*/NULL); return L_21; } IL_00c7: { goto IL_00cc; } IL_00cc: { ObjectU5BU5D_t11523773* L_22 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)1)); int32_t L_23 = ___codepage; int32_t L_24 = L_23; Il2CppObject * L_25 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_24); NullCheck(L_22); IL2CPP_ARRAY_BOUNDS_CHECK(L_22, 0); ArrayElementTypeCheck (L_22, L_25); (L_22)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_25); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_26 = Encoding_InvokeI18N_m2813164284(NULL /*static, unused*/, _stringLiteral1162023593, L_22, /*hidden argument*/NULL); V_0 = ((Encoding_t180559927 *)CastclassClass(L_26, Encoding_t180559927_il2cpp_TypeInfo_var)); Encoding_t180559927 * L_27 = V_0; if (!L_27) { goto IL_00fa; } } { Encoding_t180559927 * L_28 = V_0; NullCheck(L_28); L_28->set_is_readonly_2((bool)1); Encoding_t180559927 * L_29 = V_0; return L_29; } IL_00fa: { String_t* L_30 = Int32_ToString_m1286526384((&___codepage), /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_31 = String_Concat_m138640077(NULL /*static, unused*/, _stringLiteral512560143, L_30, /*hidden argument*/NULL); V_1 = L_31; Assembly_t1882292308 * L_32 = Assembly_GetExecutingAssembly_m1876278943(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = L_32; Assembly_t1882292308 * L_33 = V_2; String_t* L_34 = V_1; NullCheck(L_33); Type_t * L_35 = VirtFuncInvoker1< Type_t *, String_t* >::Invoke(13 /* System.Type System.Reflection.Assembly::GetType(System.String) */, L_33, L_34); V_3 = L_35; Type_t * L_36 = V_3; if (!L_36) { goto IL_0135; } } { Type_t * L_37 = V_3; Il2CppObject * L_38 = Activator_CreateInstance_m1399154923(NULL /*static, unused*/, L_37, /*hidden argument*/NULL); V_0 = ((Encoding_t180559927 *)CastclassClass(L_38, Encoding_t180559927_il2cpp_TypeInfo_var)); Encoding_t180559927 * L_39 = V_0; NullCheck(L_39); L_39->set_is_readonly_2((bool)1); Encoding_t180559927 * L_40 = V_0; return L_40; } IL_0135: { String_t* L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_42 = il2cpp_codegen_get_type((methodPointerType)&Type_GetType_m2877589631, L_41, "mscorlib, Version=2.0.5.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e"); V_3 = L_42; Type_t * L_43 = V_3; if (!L_43) { goto IL_0157; } } { Type_t * L_44 = V_3; Il2CppObject * L_45 = Activator_CreateInstance_m1399154923(NULL /*static, unused*/, L_44, /*hidden argument*/NULL); V_0 = ((Encoding_t180559927 *)CastclassClass(L_45, Encoding_t180559927_il2cpp_TypeInfo_var)); Encoding_t180559927 * L_46 = V_0; NullCheck(L_46); L_46->set_is_readonly_2((bool)1); Encoding_t180559927 * L_47 = V_0; return L_47; } IL_0157: { String_t* L_48 = Int32_ToString_m1286526384((&___codepage), /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_49 = String_Format_m2471250780(NULL /*static, unused*/, _stringLiteral907585701, L_48, /*hidden argument*/NULL); NotSupportedException_t1374155497 * L_50 = (NotSupportedException_t1374155497 *)il2cpp_codegen_object_new(NotSupportedException_t1374155497_il2cpp_TypeInfo_var); NotSupportedException__ctor_m133757637(L_50, L_49, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_50); } } // System.Object System.Text.Encoding::Clone() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern const uint32_t Encoding_Clone_m4157729955_MetadataUsageId; extern "C" Il2CppObject * Encoding_Clone_m4157729955 (Encoding_t180559927 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_Clone_m4157729955_MetadataUsageId); s_Il2CppMethodIntialized = true; } Encoding_t180559927 * V_0 = NULL; { Il2CppObject * L_0 = Object_MemberwiseClone_m883886056(__this, /*hidden argument*/NULL); V_0 = ((Encoding_t180559927 *)CastclassClass(L_0, Encoding_t180559927_il2cpp_TypeInfo_var)); Encoding_t180559927 * L_1 = V_0; NullCheck(L_1); L_1->set_is_readonly_2((bool)0); Encoding_t180559927 * L_2 = V_0; return L_2; } } // System.Text.Encoding System.Text.Encoding::GetEncoding(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* Int32_t2847414787_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern TypeInfo* Type_t_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3373707; extern Il2CppCodeGenString* _stringLiteral1162023593; extern Il2CppCodeGenString* _stringLiteral3004464472; extern Il2CppCodeGenString* _stringLiteral20607935; extern const uint32_t Encoding_GetEncoding_m4050696948_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_GetEncoding_m4050696948 (Il2CppObject * __this /* static, unused */, String_t* ___name, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetEncoding_m4050696948_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; int32_t V_1 = 0; int32_t V_2 = 0; Il2CppObject * V_3 = NULL; Encoding_t180559927 * V_4 = NULL; String_t* V_5 = NULL; Assembly_t1882292308 * V_6 = NULL; Type_t * V_7 = NULL; { String_t* L_0 = ___name; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral3373707, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { String_t* L_2 = ___name; NullCheck(L_2); String_t* L_3 = String_ToLowerInvariant_m4111189975(L_2, /*hidden argument*/NULL); NullCheck(L_3); String_t* L_4 = String_Replace_m3369701083(L_3, ((int32_t)45), ((int32_t)95), /*hidden argument*/NULL); V_0 = L_4; V_1 = 0; V_2 = 0; goto IL_006b; } IL_002a: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); ObjectU5BU5D_t11523773* L_5 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_encodings_7(); int32_t L_6 = V_2; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, L_6); int32_t L_7 = L_6; V_3 = ((L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_7))); Il2CppObject * L_8 = V_3; if (!((Il2CppObject *)IsInstSealed(L_8, Int32_t2847414787_il2cpp_TypeInfo_var))) { goto IL_0049; } } { Il2CppObject * L_9 = V_3; V_1 = ((*(int32_t*)((int32_t*)UnBox (L_9, Int32_t2847414787_il2cpp_TypeInfo_var)))); goto IL_0067; } IL_0049: { String_t* L_10 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); ObjectU5BU5D_t11523773* L_11 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_encodings_7(); int32_t L_12 = V_2; NullCheck(L_11); IL2CPP_ARRAY_BOUNDS_CHECK(L_11, L_12); int32_t L_13 = L_12; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); bool L_14 = String_op_Equality_m1260523650(NULL /*static, unused*/, L_10, ((String_t*)CastclassSealed(((L_11)->GetAt(static_cast<il2cpp_array_size_t>(L_13))), String_t_il2cpp_TypeInfo_var)), /*hidden argument*/NULL); if (!L_14) { goto IL_0067; } } { int32_t L_15 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_16 = Encoding_GetEncoding_m2886882079(NULL /*static, unused*/, L_15, /*hidden argument*/NULL); return L_16; } IL_0067: { int32_t L_17 = V_2; V_2 = ((int32_t)((int32_t)L_17+(int32_t)1)); } IL_006b: { int32_t L_18 = V_2; IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); ObjectU5BU5D_t11523773* L_19 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_encodings_7(); NullCheck(L_19); if ((((int32_t)L_18) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_19)->max_length))))))) { goto IL_002a; } } { ObjectU5BU5D_t11523773* L_20 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)1)); String_t* L_21 = ___name; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, 0); ArrayElementTypeCheck (L_20, L_21); (L_20)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_21); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_22 = Encoding_InvokeI18N_m2813164284(NULL /*static, unused*/, _stringLiteral1162023593, L_20, /*hidden argument*/NULL); V_4 = ((Encoding_t180559927 *)CastclassClass(L_22, Encoding_t180559927_il2cpp_TypeInfo_var)); Encoding_t180559927 * L_23 = V_4; if (!L_23) { goto IL_009d; } } { Encoding_t180559927 * L_24 = V_4; return L_24; } IL_009d: { String_t* L_25 = V_0; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_26 = String_Concat_m138640077(NULL /*static, unused*/, _stringLiteral3004464472, L_25, /*hidden argument*/NULL); V_5 = L_26; Assembly_t1882292308 * L_27 = Assembly_GetExecutingAssembly_m1876278943(NULL /*static, unused*/, /*hidden argument*/NULL); V_6 = L_27; Assembly_t1882292308 * L_28 = V_6; String_t* L_29 = V_5; NullCheck(L_28); Type_t * L_30 = VirtFuncInvoker1< Type_t *, String_t* >::Invoke(13 /* System.Type System.Reflection.Assembly::GetType(System.String) */, L_28, L_29); V_7 = L_30; Type_t * L_31 = V_7; if (!L_31) { goto IL_00d0; } } { Type_t * L_32 = V_7; Il2CppObject * L_33 = Activator_CreateInstance_m1399154923(NULL /*static, unused*/, L_32, /*hidden argument*/NULL); return ((Encoding_t180559927 *)CastclassClass(L_33, Encoding_t180559927_il2cpp_TypeInfo_var)); } IL_00d0: { String_t* L_34 = V_5; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_35 = il2cpp_codegen_get_type((methodPointerType)&Type_GetType_m2877589631, L_34, "mscorlib, Version=2.0.5.0, Culture=neutral, PublicKeyToken=7cec85d7bea7798e"); V_7 = L_35; Type_t * L_36 = V_7; if (!L_36) { goto IL_00ed; } } { Type_t * L_37 = V_7; Il2CppObject * L_38 = Activator_CreateInstance_m1399154923(NULL /*static, unused*/, L_37, /*hidden argument*/NULL); return ((Encoding_t180559927 *)CastclassClass(L_38, Encoding_t180559927_il2cpp_TypeInfo_var)); } IL_00ed: { String_t* L_39 = ___name; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_40 = String_Format_m2471250780(NULL /*static, unused*/, _stringLiteral20607935, L_39, /*hidden argument*/NULL); ArgumentException_t124305799 * L_41 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_41, L_40, _stringLiteral3373707, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_41); } } // System.Int32 System.Text.Encoding::GetHashCode() extern "C" int32_t Encoding_GetHashCode_m2437082384 (Encoding_t180559927 * __this, const MethodInfo* method) { { DecoderFallback_t4033313258 * L_0 = Encoding_get_DecoderFallback_m3409202121(__this, /*hidden argument*/NULL); NullCheck(L_0); int32_t L_1 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, L_0); EncoderFallback_t990837442 * L_2 = Encoding_get_EncoderFallback_m252351353(__this, /*hidden argument*/NULL); NullCheck(L_2); int32_t L_3 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, L_2); int32_t L_4 = __this->get_codePage_0(); return ((int32_t)((int32_t)((int32_t)((int32_t)L_1<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)24)+(int32_t)L_3))&(int32_t)((int32_t)31)))))<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)16)+(int32_t)L_4))&(int32_t)((int32_t)31))))); } } // System.Byte[] System.Text.Encoding::GetPreamble() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t Encoding_GetPreamble_m1160659539_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* Encoding_GetPreamble_m1160659539 (Encoding_t180559927 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetPreamble_m1160659539_MetadataUsageId); s_Il2CppMethodIntialized = true; } { return ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)0)); } } // System.String System.Text.Encoding::GetString(System.Byte[],System.Int32,System.Int32) extern "C" String_t* Encoding_GetString_m565750122 (Encoding_t180559927 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = ___bytes; int32_t L_1 = ___index; int32_t L_2 = ___count; CharU5BU5D_t3416858730* L_3 = VirtFuncInvoker3< CharU5BU5D_t3416858730*, ByteU5BU5D_t58506160*, int32_t, int32_t >::Invoke(15 /* System.Char[] System.Text.Encoding::GetChars(System.Byte[],System.Int32,System.Int32) */, __this, L_0, L_1, L_2); String_t* L_4 = String_CreateString_m578950865(NULL, L_3, /*hidden argument*/NULL); return L_4; } } // System.String System.Text.Encoding::GetString(System.Byte[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern const uint32_t Encoding_GetString_m3808087178_MetadataUsageId; extern "C" String_t* Encoding_GetString_m3808087178 (Encoding_t180559927 * __this, ByteU5BU5D_t58506160* ___bytes, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetString_m3808087178_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___bytes; ByteU5BU5D_t58506160* L_3 = ___bytes; NullCheck(L_3); String_t* L_4 = VirtFuncInvoker3< String_t*, ByteU5BU5D_t58506160*, int32_t, int32_t >::Invoke(21 /* System.String System.Text.Encoding::GetString(System.Byte[],System.Int32,System.Int32) */, __this, L_2, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_3)->max_length))))); return L_4; } } // System.Text.Encoding System.Text.Encoding::get_ASCII() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ASCIIEncoding_t15734376_il2cpp_TypeInfo_var; extern const uint32_t Encoding_get_ASCII_m1425378925_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_get_ASCII_m1425378925 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_get_ASCII_m1425378925_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_asciiEncoding_16(); il2cpp_codegen_memory_barrier(); if (L_0) { goto IL_003c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_1 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_1; Il2CppObject * L_2 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); } IL_0018: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_asciiEncoding_16(); il2cpp_codegen_memory_barrier(); if (L_3) { goto IL_0030; } } IL_0024: { ASCIIEncoding_t15734376 * L_4 = (ASCIIEncoding_t15734376 *)il2cpp_codegen_object_new(ASCIIEncoding_t15734376_il2cpp_TypeInfo_var); ASCIIEncoding__ctor_m3312307762(L_4, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_asciiEncoding_16(L_4); } IL_0030: { IL2CPP_LEAVE(0x3C, FINALLY_0035); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0035; } FINALLY_0035: { // begin finally (depth: 1) Il2CppObject * L_5 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_5, /*hidden argument*/NULL); IL2CPP_END_FINALLY(53) } // end finally (depth: 1) IL2CPP_CLEANUP(53) { IL2CPP_JUMP_TBL(0x3C, IL_003c) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_003c: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_6 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_asciiEncoding_16(); il2cpp_codegen_memory_barrier(); return L_6; } } // System.Text.Encoding System.Text.Encoding::get_BigEndianUnicode() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* UnicodeEncoding_t909387252_il2cpp_TypeInfo_var; extern const uint32_t Encoding_get_BigEndianUnicode_m1578127592_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_get_BigEndianUnicode_m1578127592 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_get_BigEndianUnicode_m1578127592_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_bigEndianEncoding_17(); il2cpp_codegen_memory_barrier(); if (L_0) { goto IL_003e; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_1 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_1; Il2CppObject * L_2 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); } IL_0018: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_bigEndianEncoding_17(); il2cpp_codegen_memory_barrier(); if (L_3) { goto IL_0032; } } IL_0024: { UnicodeEncoding_t909387252 * L_4 = (UnicodeEncoding_t909387252 *)il2cpp_codegen_object_new(UnicodeEncoding_t909387252_il2cpp_TypeInfo_var); UnicodeEncoding__ctor_m628477824(L_4, (bool)1, (bool)1, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_bigEndianEncoding_17(L_4); } IL_0032: { IL2CPP_LEAVE(0x3E, FINALLY_0037); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0037; } FINALLY_0037: { // begin finally (depth: 1) Il2CppObject * L_5 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_5, /*hidden argument*/NULL); IL2CPP_END_FINALLY(55) } // end finally (depth: 1) IL2CPP_CLEANUP(55) { IL2CPP_JUMP_TBL(0x3E, IL_003e) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_003e: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_6 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_bigEndianEncoding_17(); il2cpp_codegen_memory_barrier(); return L_6; } } // System.String System.Text.Encoding::InternalCodePage(System.Int32&) extern "C" String_t* Encoding_InternalCodePage_m1810234872 (Il2CppObject * __this /* static, unused */, int32_t* ___code_page, const MethodInfo* method) { using namespace il2cpp::icalls; typedef String_t* (*Encoding_InternalCodePage_m1810234872_ftn) (int32_t*); return ((Encoding_InternalCodePage_m1810234872_ftn)mscorlib::System::Text::Encoding::InternalCodePage) (___code_page); } // System.Text.Encoding System.Text.Encoding::get_Default() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* NotSupportedException_t1374155497_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern const uint32_t Encoding_get_Default_m1600689821_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_get_Default_m1600689821 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_get_Default_m1600689821_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; int32_t V_1 = 0; String_t* V_2 = NULL; int32_t V_3 = 0; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_defaultEncoding_18(); il2cpp_codegen_memory_barrier(); if (L_0) { goto IL_0107; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_1 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_1; Il2CppObject * L_2 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); } IL_0018: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_defaultEncoding_18(); il2cpp_codegen_memory_barrier(); if (L_3) { goto IL_00fb; } } IL_0024: { V_1 = 1; IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_4 = Encoding_InternalCodePage_m1810234872(NULL /*static, unused*/, (&V_1), /*hidden argument*/NULL); V_2 = L_4; } IL_002e: try { // begin try (depth: 2) { int32_t L_5 = V_1; if ((!(((uint32_t)L_5) == ((uint32_t)(-1))))) { goto IL_0047; } } IL_0035: { String_t* L_6 = V_2; IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_7 = Encoding_GetEncoding_m4050696948(NULL /*static, unused*/, L_6, /*hidden argument*/NULL); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_defaultEncoding_18(L_7); goto IL_00c5; } IL_0047: { int32_t L_8 = V_1; V_1 = ((int32_t)((int32_t)L_8&(int32_t)((int32_t)268435455))); int32_t L_9 = V_1; V_3 = L_9; int32_t L_10 = V_3; if (((int32_t)((int32_t)L_10-(int32_t)1)) == 0) { goto IL_0076; } if (((int32_t)((int32_t)L_10-(int32_t)1)) == 1) { goto IL_0081; } if (((int32_t)((int32_t)L_10-(int32_t)1)) == 2) { goto IL_008c; } if (((int32_t)((int32_t)L_10-(int32_t)1)) == 3) { goto IL_0097; } if (((int32_t)((int32_t)L_10-(int32_t)1)) == 4) { goto IL_00a2; } if (((int32_t)((int32_t)L_10-(int32_t)1)) == 5) { goto IL_00ad; } } IL_0071: { goto IL_00b8; } IL_0076: { V_1 = ((int32_t)20127); goto IL_00b8; } IL_0081: { V_1 = ((int32_t)65000); goto IL_00b8; } IL_008c: { V_1 = ((int32_t)65001); goto IL_00b8; } IL_0097: { V_1 = ((int32_t)1200); goto IL_00b8; } IL_00a2: { V_1 = ((int32_t)1201); goto IL_00b8; } IL_00ad: { V_1 = ((int32_t)28591); goto IL_00b8; } IL_00b8: { int32_t L_11 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_12 = Encoding_GetEncoding_m2886882079(NULL /*static, unused*/, L_11, /*hidden argument*/NULL); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_defaultEncoding_18(L_12); } IL_00c5: { goto IL_00ee; } } // end try (depth: 2) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t1967233988 *)e.ex; if(il2cpp_codegen_class_is_assignable_from (NotSupportedException_t1374155497_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_00ca; if(il2cpp_codegen_class_is_assignable_from (ArgumentException_t124305799_il2cpp_TypeInfo_var, e.ex->object.klass)) goto CATCH_00dc; throw e; } CATCH_00ca: { // begin catch(System.NotSupportedException) IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_13 = Encoding_get_UTF8Unmarked_m1891261276(NULL /*static, unused*/, /*hidden argument*/NULL); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_defaultEncoding_18(L_13); goto IL_00ee; } // end catch (depth: 2) CATCH_00dc: { // begin catch(System.ArgumentException) IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_14 = Encoding_get_UTF8Unmarked_m1891261276(NULL /*static, unused*/, /*hidden argument*/NULL); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_defaultEncoding_18(L_14); goto IL_00ee; } // end catch (depth: 2) IL_00ee: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_15 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_defaultEncoding_18(); il2cpp_codegen_memory_barrier(); NullCheck(L_15); ((Encoding_t180559927 *)L_15)->set_is_readonly_2((bool)1); } IL_00fb: { IL2CPP_LEAVE(0x107, FINALLY_0100); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0100; } FINALLY_0100: { // begin finally (depth: 1) Il2CppObject * L_16 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_16, /*hidden argument*/NULL); IL2CPP_END_FINALLY(256) } // end finally (depth: 1) IL2CPP_CLEANUP(256) { IL2CPP_JUMP_TBL(0x107, IL_0107) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_0107: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_17 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_defaultEncoding_18(); il2cpp_codegen_memory_barrier(); return L_17; } } // System.Text.Encoding System.Text.Encoding::get_ISOLatin1() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* Latin1Encoding_t1597279492_il2cpp_TypeInfo_var; extern const uint32_t Encoding_get_ISOLatin1_m4135279598_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_get_ISOLatin1_m4135279598 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_get_ISOLatin1_m4135279598_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_isoLatin1Encoding_23(); il2cpp_codegen_memory_barrier(); if (L_0) { goto IL_003c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_1 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_1; Il2CppObject * L_2 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); } IL_0018: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_isoLatin1Encoding_23(); il2cpp_codegen_memory_barrier(); if (L_3) { goto IL_0030; } } IL_0024: { Latin1Encoding_t1597279492 * L_4 = (Latin1Encoding_t1597279492 *)il2cpp_codegen_object_new(Latin1Encoding_t1597279492_il2cpp_TypeInfo_var); Latin1Encoding__ctor_m1980938192(L_4, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_isoLatin1Encoding_23(L_4); } IL_0030: { IL2CPP_LEAVE(0x3C, FINALLY_0035); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0035; } FINALLY_0035: { // begin finally (depth: 1) Il2CppObject * L_5 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_5, /*hidden argument*/NULL); IL2CPP_END_FINALLY(53) } // end finally (depth: 1) IL2CPP_CLEANUP(53) { IL2CPP_JUMP_TBL(0x3C, IL_003c) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_003c: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_6 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_isoLatin1Encoding_23(); il2cpp_codegen_memory_barrier(); return L_6; } } // System.Text.Encoding System.Text.Encoding::get_UTF7() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* UTF7Encoding_t445806535_il2cpp_TypeInfo_var; extern const uint32_t Encoding_get_UTF7_m619557558_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_get_UTF7_m619557558 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_get_UTF7_m619557558_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf7Encoding_19(); il2cpp_codegen_memory_barrier(); if (L_0) { goto IL_003c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_1 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_1; Il2CppObject * L_2 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); } IL_0018: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf7Encoding_19(); il2cpp_codegen_memory_barrier(); if (L_3) { goto IL_0030; } } IL_0024: { UTF7Encoding_t445806535 * L_4 = (UTF7Encoding_t445806535 *)il2cpp_codegen_object_new(UTF7Encoding_t445806535_il2cpp_TypeInfo_var); UTF7Encoding__ctor_m3219339181(L_4, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_utf7Encoding_19(L_4); } IL_0030: { IL2CPP_LEAVE(0x3C, FINALLY_0035); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0035; } FINALLY_0035: { // begin finally (depth: 1) Il2CppObject * L_5 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_5, /*hidden argument*/NULL); IL2CPP_END_FINALLY(53) } // end finally (depth: 1) IL2CPP_CLEANUP(53) { IL2CPP_JUMP_TBL(0x3C, IL_003c) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_003c: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_6 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf7Encoding_19(); il2cpp_codegen_memory_barrier(); return L_6; } } // System.Text.Encoding System.Text.Encoding::get_UTF8() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* UTF8Encoding_t2933319368_il2cpp_TypeInfo_var; extern const uint32_t Encoding_get_UTF8_m619558519_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_get_UTF8_m619558519 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_get_UTF8_m619558519_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingWithMarkers_20(); il2cpp_codegen_memory_barrier(); if (L_0) { goto IL_003d; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_1 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_1; Il2CppObject * L_2 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); } IL_0018: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingWithMarkers_20(); il2cpp_codegen_memory_barrier(); if (L_3) { goto IL_0031; } } IL_0024: { UTF8Encoding_t2933319368 * L_4 = (UTF8Encoding_t2933319368 *)il2cpp_codegen_object_new(UTF8Encoding_t2933319368_il2cpp_TypeInfo_var); UTF8Encoding__ctor_m508869187(L_4, (bool)1, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_utf8EncodingWithMarkers_20(L_4); } IL_0031: { IL2CPP_LEAVE(0x3D, FINALLY_0036); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0036; } FINALLY_0036: { // begin finally (depth: 1) Il2CppObject * L_5 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_5, /*hidden argument*/NULL); IL2CPP_END_FINALLY(54) } // end finally (depth: 1) IL2CPP_CLEANUP(54) { IL2CPP_JUMP_TBL(0x3D, IL_003d) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_003d: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_6 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingWithMarkers_20(); il2cpp_codegen_memory_barrier(); return L_6; } } // System.Text.Encoding System.Text.Encoding::get_UTF8Unmarked() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* UTF8Encoding_t2933319368_il2cpp_TypeInfo_var; extern const uint32_t Encoding_get_UTF8Unmarked_m1891261276_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_get_UTF8Unmarked_m1891261276 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_get_UTF8Unmarked_m1891261276_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingWithoutMarkers_21(); il2cpp_codegen_memory_barrier(); if (L_0) { goto IL_003e; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_1 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_1; Il2CppObject * L_2 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); } IL_0018: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingWithoutMarkers_21(); il2cpp_codegen_memory_barrier(); if (L_3) { goto IL_0032; } } IL_0024: { UTF8Encoding_t2933319368 * L_4 = (UTF8Encoding_t2933319368 *)il2cpp_codegen_object_new(UTF8Encoding_t2933319368_il2cpp_TypeInfo_var); UTF8Encoding__ctor_m4274875098(L_4, (bool)0, (bool)0, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_utf8EncodingWithoutMarkers_21(L_4); } IL_0032: { IL2CPP_LEAVE(0x3E, FINALLY_0037); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0037; } FINALLY_0037: { // begin finally (depth: 1) Il2CppObject * L_5 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_5, /*hidden argument*/NULL); IL2CPP_END_FINALLY(55) } // end finally (depth: 1) IL2CPP_CLEANUP(55) { IL2CPP_JUMP_TBL(0x3E, IL_003e) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_003e: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_6 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingWithoutMarkers_21(); il2cpp_codegen_memory_barrier(); return L_6; } } // System.Text.Encoding System.Text.Encoding::get_UTF8UnmarkedUnsafe() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* UTF8Encoding_t2933319368_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var; extern const uint32_t Encoding_get_UTF8UnmarkedUnsafe_m2775471970_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_get_UTF8UnmarkedUnsafe_m2775471970 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_get_UTF8UnmarkedUnsafe_m2775471970_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingUnsafe_24(); il2cpp_codegen_memory_barrier(); if (L_0) { goto IL_006e; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_1 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_1; Il2CppObject * L_2 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); } IL_0018: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingUnsafe_24(); il2cpp_codegen_memory_barrier(); if (L_3) { goto IL_0062; } } IL_0024: { UTF8Encoding_t2933319368 * L_4 = (UTF8Encoding_t2933319368 *)il2cpp_codegen_object_new(UTF8Encoding_t2933319368_il2cpp_TypeInfo_var); UTF8Encoding__ctor_m4274875098(L_4, (bool)0, (bool)0, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_utf8EncodingUnsafe_24(L_4); Encoding_t180559927 * L_5 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingUnsafe_24(); il2cpp_codegen_memory_barrier(); NullCheck(L_5); ((Encoding_t180559927 *)L_5)->set_is_readonly_2((bool)0); Encoding_t180559927 * L_6 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingUnsafe_24(); il2cpp_codegen_memory_barrier(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_7 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); DecoderReplacementFallback_t1303633684 * L_8 = (DecoderReplacementFallback_t1303633684 *)il2cpp_codegen_object_new(DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var); DecoderReplacementFallback__ctor_m1044232898(L_8, L_7, /*hidden argument*/NULL); NullCheck(L_6); Encoding_set_DecoderFallback_m3527983786(L_6, L_8, /*hidden argument*/NULL); Encoding_t180559927 * L_9 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingUnsafe_24(); il2cpp_codegen_memory_barrier(); NullCheck(L_9); ((Encoding_t180559927 *)L_9)->set_is_readonly_2((bool)1); } IL_0062: { IL2CPP_LEAVE(0x6E, FINALLY_0067); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0067; } FINALLY_0067: { // begin finally (depth: 1) Il2CppObject * L_10 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_10, /*hidden argument*/NULL); IL2CPP_END_FINALLY(103) } // end finally (depth: 1) IL2CPP_CLEANUP(103) { IL2CPP_JUMP_TBL(0x6E, IL_006e) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_006e: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_11 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf8EncodingUnsafe_24(); il2cpp_codegen_memory_barrier(); return L_11; } } // System.Text.Encoding System.Text.Encoding::get_Unicode() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* UnicodeEncoding_t909387252_il2cpp_TypeInfo_var; extern const uint32_t Encoding_get_Unicode_m2158134329_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_get_Unicode_m2158134329 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_get_Unicode_m2158134329_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_unicodeEncoding_22(); il2cpp_codegen_memory_barrier(); if (L_0) { goto IL_003e; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_1 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_1; Il2CppObject * L_2 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); } IL_0018: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_unicodeEncoding_22(); il2cpp_codegen_memory_barrier(); if (L_3) { goto IL_0032; } } IL_0024: { UnicodeEncoding_t909387252 * L_4 = (UnicodeEncoding_t909387252 *)il2cpp_codegen_object_new(UnicodeEncoding_t909387252_il2cpp_TypeInfo_var); UnicodeEncoding__ctor_m628477824(L_4, (bool)0, (bool)1, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_unicodeEncoding_22(L_4); } IL_0032: { IL2CPP_LEAVE(0x3E, FINALLY_0037); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0037; } FINALLY_0037: { // begin finally (depth: 1) Il2CppObject * L_5 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_5, /*hidden argument*/NULL); IL2CPP_END_FINALLY(55) } // end finally (depth: 1) IL2CPP_CLEANUP(55) { IL2CPP_JUMP_TBL(0x3E, IL_003e) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_003e: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_6 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_unicodeEncoding_22(); il2cpp_codegen_memory_barrier(); return L_6; } } // System.Text.Encoding System.Text.Encoding::get_UTF32() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* UTF32Encoding_t420914269_il2cpp_TypeInfo_var; extern const uint32_t Encoding_get_UTF32_m2026305570_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_get_UTF32_m2026305570 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_get_UTF32_m2026305570_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf32Encoding_25(); il2cpp_codegen_memory_barrier(); if (L_0) { goto IL_003e; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_1 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_1; Il2CppObject * L_2 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); } IL_0018: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf32Encoding_25(); il2cpp_codegen_memory_barrier(); if (L_3) { goto IL_0032; } } IL_0024: { UTF32Encoding_t420914269 * L_4 = (UTF32Encoding_t420914269 *)il2cpp_codegen_object_new(UTF32Encoding_t420914269_il2cpp_TypeInfo_var); UTF32Encoding__ctor_m1611597417(L_4, (bool)0, (bool)1, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_utf32Encoding_25(L_4); } IL_0032: { IL2CPP_LEAVE(0x3E, FINALLY_0037); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0037; } FINALLY_0037: { // begin finally (depth: 1) Il2CppObject * L_5 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_5, /*hidden argument*/NULL); IL2CPP_END_FINALLY(55) } // end finally (depth: 1) IL2CPP_CLEANUP(55) { IL2CPP_JUMP_TBL(0x3E, IL_003e) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_003e: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_6 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_utf32Encoding_25(); il2cpp_codegen_memory_barrier(); return L_6; } } // System.Text.Encoding System.Text.Encoding::get_BigEndianUTF32() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* UTF32Encoding_t420914269_il2cpp_TypeInfo_var; extern const uint32_t Encoding_get_BigEndianUTF32_m3679331473_MetadataUsageId; extern "C" Encoding_t180559927 * Encoding_get_BigEndianUTF32_m3679331473 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_get_BigEndianUTF32_m3679331473_MetadataUsageId); s_Il2CppMethodIntialized = true; } Il2CppObject * V_0 = NULL; Exception_t1967233988 * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t1967233988 * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); int32_t __leave_target = 0; NO_UNUSED_WARNING (__leave_target); { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_0 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_bigEndianUTF32Encoding_26(); il2cpp_codegen_memory_barrier(); if (L_0) { goto IL_003e; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Il2CppObject * L_1 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_lockobj_27(); V_0 = L_1; Il2CppObject * L_2 = V_0; Monitor_Enter_m476686225(NULL /*static, unused*/, L_2, /*hidden argument*/NULL); } IL_0018: try { // begin try (depth: 1) { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_3 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_bigEndianUTF32Encoding_26(); il2cpp_codegen_memory_barrier(); if (L_3) { goto IL_0032; } } IL_0024: { UTF32Encoding_t420914269 * L_4 = (UTF32Encoding_t420914269 *)il2cpp_codegen_object_new(UTF32Encoding_t420914269_il2cpp_TypeInfo_var); UTF32Encoding__ctor_m1611597417(L_4, (bool)1, (bool)1, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); il2cpp_codegen_memory_barrier(); ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->set_bigEndianUTF32Encoding_26(L_4); } IL_0032: { IL2CPP_LEAVE(0x3E, FINALLY_0037); } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __last_unhandled_exception = (Exception_t1967233988 *)e.ex; goto FINALLY_0037; } FINALLY_0037: { // begin finally (depth: 1) Il2CppObject * L_5 = V_0; Monitor_Exit_m2088237919(NULL /*static, unused*/, L_5, /*hidden argument*/NULL); IL2CPP_END_FINALLY(55) } // end finally (depth: 1) IL2CPP_CLEANUP(55) { IL2CPP_JUMP_TBL(0x3E, IL_003e) IL2CPP_RETHROW_IF_UNHANDLED(Exception_t1967233988 *) } IL_003e: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_t180559927 * L_6 = ((Encoding_t180559927_StaticFields*)Encoding_t180559927_il2cpp_TypeInfo_var->static_fields)->get_bigEndianUTF32Encoding_26(); il2cpp_codegen_memory_barrier(); return L_6; } } // System.Int32 System.Text.Encoding::GetByteCount(System.Char*,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* CharU5BU5D_t3416858730_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t Encoding_GetByteCount_m957110328_MetadataUsageId; extern "C" int32_t Encoding_GetByteCount_m957110328 (Encoding_t180559927 * __this, uint16_t* ___chars, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetByteCount_m957110328_MetadataUsageId); s_Il2CppMethodIntialized = true; } CharU5BU5D_t3416858730* V_0 = NULL; int32_t V_1 = 0; { uint16_t* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___count; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0023; } } { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_3, _stringLiteral94851343, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___count; V_0 = ((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_4)); V_1 = 0; goto IL_003e; } IL_0031: { CharU5BU5D_t3416858730* L_5 = V_0; int32_t L_6 = V_1; uint16_t* L_7 = ___chars; int32_t L_8 = V_1; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, L_6); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(L_6), (uint16_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_7+(int32_t)((int32_t)((int32_t)L_8*(int32_t)2))))))); int32_t L_9 = V_1; V_1 = ((int32_t)((int32_t)L_9+(int32_t)1)); } IL_003e: { int32_t L_10 = V_1; int32_t L_11 = ___count; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0031; } } { CharU5BU5D_t3416858730* L_12 = V_0; int32_t L_13 = VirtFuncInvoker1< int32_t, CharU5BU5D_t3416858730* >::Invoke(7 /* System.Int32 System.Text.Encoding::GetByteCount(System.Char[]) */, __this, L_12); return L_13; } } // System.Int32 System.Text.Encoding::GetBytes(System.Char*,System.Int32,System.Byte*,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* CharU5BU5D_t3416858730_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral2842789769; extern const uint32_t Encoding_GetBytes_m1804873512_MetadataUsageId; extern "C" int32_t Encoding_GetBytes_m1804873512 (Encoding_t180559927 * __this, uint16_t* ___chars, int32_t ___charCount, uint8_t* ___bytes, int32_t ___byteCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Encoding_GetBytes_m1804873512_MetadataUsageId); s_Il2CppMethodIntialized = true; } CharU5BU5D_t3416858730* V_0 = NULL; int32_t V_1 = 0; ByteU5BU5D_t58506160* V_2 = NULL; int32_t V_3 = 0; int32_t V_4 = 0; { uint8_t* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { uint16_t* L_2 = ___chars; if (L_2) { goto IL_0022; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0022: { int32_t L_4 = ___charCount; if ((((int32_t)L_4) >= ((int32_t)0))) { goto IL_0034; } } { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_5, _stringLiteral1536848729, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0034: { int32_t L_6 = ___byteCount; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0047; } } { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_7, _stringLiteral2217829607, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0047: { int32_t L_8 = ___charCount; V_0 = ((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_8)); V_1 = 0; goto IL_0062; } IL_0055: { CharU5BU5D_t3416858730* L_9 = V_0; int32_t L_10 = V_1; uint16_t* L_11 = ___chars; int32_t L_12 = V_1; NullCheck(L_9); IL2CPP_ARRAY_BOUNDS_CHECK(L_9, L_10); (L_9)->SetAt(static_cast<il2cpp_array_size_t>(L_10), (uint16_t)(*((uint16_t*)((uint16_t*)((intptr_t)L_11+(int32_t)((int32_t)((int32_t)L_12*(int32_t)2))))))); int32_t L_13 = V_1; V_1 = ((int32_t)((int32_t)L_13+(int32_t)1)); } IL_0062: { int32_t L_14 = V_1; int32_t L_15 = ___charCount; if ((((int32_t)L_14) < ((int32_t)L_15))) { goto IL_0055; } } { CharU5BU5D_t3416858730* L_16 = V_0; int32_t L_17 = ___charCount; ByteU5BU5D_t58506160* L_18 = VirtFuncInvoker3< ByteU5BU5D_t58506160*, CharU5BU5D_t3416858730*, int32_t, int32_t >::Invoke(11 /* System.Byte[] System.Text.Encoding::GetBytes(System.Char[],System.Int32,System.Int32) */, __this, L_16, 0, L_17); V_2 = L_18; ByteU5BU5D_t58506160* L_19 = V_2; NullCheck(L_19); V_3 = (((int32_t)((int32_t)(((Il2CppArray *)L_19)->max_length)))); int32_t L_20 = V_3; int32_t L_21 = ___byteCount; if ((((int32_t)L_20) <= ((int32_t)L_21))) { goto IL_008f; } } { ArgumentException_t124305799 * L_22 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_22, _stringLiteral2842789769, _stringLiteral2217829607, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_22); } IL_008f: { V_4 = 0; goto IL_00a6; } IL_0097: { uint8_t* L_23 = ___bytes; int32_t L_24 = V_4; ByteU5BU5D_t58506160* L_25 = V_2; int32_t L_26 = V_4; NullCheck(L_25); IL2CPP_ARRAY_BOUNDS_CHECK(L_25, L_26); int32_t L_27 = L_26; *((int8_t*)(((uint8_t*)((intptr_t)L_23+(int32_t)L_24)))) = (int8_t)((L_25)->GetAt(static_cast<il2cpp_array_size_t>(L_27))); int32_t L_28 = V_4; V_4 = ((int32_t)((int32_t)L_28+(int32_t)1)); } IL_00a6: { int32_t L_29 = V_4; int32_t L_30 = V_3; if ((((int32_t)L_29) < ((int32_t)L_30))) { goto IL_0097; } } { ByteU5BU5D_t58506160* L_31 = V_2; NullCheck(L_31); return (((int32_t)((int32_t)(((Il2CppArray *)L_31)->max_length)))); } } // System.Void System.Text.Encoding/ForwardingDecoder::.ctor(System.Text.Encoding) extern "C" void ForwardingDecoder__ctor_m2930063152 (ForwardingDecoder_t1189038695 * __this, Encoding_t180559927 * ___enc, const MethodInfo* method) { DecoderFallback_t4033313258 * V_0 = NULL; { Decoder__ctor_m1448672242(__this, /*hidden argument*/NULL); Encoding_t180559927 * L_0 = ___enc; __this->set_encoding_2(L_0); Encoding_t180559927 * L_1 = __this->get_encoding_2(); NullCheck(L_1); DecoderFallback_t4033313258 * L_2 = Encoding_get_DecoderFallback_m3409202121(L_1, /*hidden argument*/NULL); V_0 = L_2; DecoderFallback_t4033313258 * L_3 = V_0; if (!L_3) { goto IL_0026; } } { DecoderFallback_t4033313258 * L_4 = V_0; Decoder_set_Fallback_m4287157405(__this, L_4, /*hidden argument*/NULL); } IL_0026: { return; } } // System.Int32 System.Text.Encoding/ForwardingDecoder::GetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32) extern "C" int32_t ForwardingDecoder_GetChars_m3390742011 (ForwardingDecoder_t1189038695 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, int32_t ___byteCount, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, const MethodInfo* method) { { Encoding_t180559927 * L_0 = __this->get_encoding_2(); ByteU5BU5D_t58506160* L_1 = ___bytes; int32_t L_2 = ___byteIndex; int32_t L_3 = ___byteCount; CharU5BU5D_t3416858730* L_4 = ___chars; int32_t L_5 = ___charIndex; NullCheck(L_0); int32_t L_6 = VirtFuncInvoker5< int32_t, ByteU5BU5D_t58506160*, int32_t, int32_t, CharU5BU5D_t3416858730*, int32_t >::Invoke(14 /* System.Int32 System.Text.Encoding::GetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32) */, L_0, L_1, L_2, L_3, L_4, L_5); return L_6; } } // System.Void System.Text.Latin1Encoding::.ctor() extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern const uint32_t Latin1Encoding__ctor_m1980938192_MetadataUsageId; extern "C" void Latin1Encoding__ctor_m1980938192 (Latin1Encoding_t1597279492 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Latin1Encoding__ctor_m1980938192_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding__ctor_m1203666318(__this, ((int32_t)28591), /*hidden argument*/NULL); return; } } // System.Int32 System.Text.Latin1Encoding::GetByteCount(System.Char[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t Latin1Encoding_GetByteCount_m706721210_MetadataUsageId; extern "C" int32_t Latin1Encoding_GetByteCount_m706721210 (Latin1Encoding_t1597279492 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Latin1Encoding_GetByteCount_m706721210_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; CharU5BU5D_t3416858730* L_4 = ___chars; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; CharU5BU5D_t3416858730* L_9 = ___chars; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { int32_t L_13 = ___count; return L_13; } } // System.Int32 System.Text.Latin1Encoding::GetByteCount(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral115; extern const uint32_t Latin1Encoding_GetByteCount_m4034541857_MetadataUsageId; extern "C" int32_t Latin1Encoding_GetByteCount_m4034541857 (Latin1Encoding_t1597279492 * __this, String_t* ___s, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Latin1Encoding_GetByteCount_m4034541857_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___s; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral115, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { String_t* L_2 = ___s; NullCheck(L_2); int32_t L_3 = String_get_Length_m2979997331(L_2, /*hidden argument*/NULL); return L_3; } } // System.Int32 System.Text.Latin1Encoding::GetBytes(System.Char[],System.Int32,System.Int32,System.Byte[],System.Int32) extern "C" int32_t Latin1Encoding_GetBytes_m4245120190 (Latin1Encoding_t1597279492 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, const MethodInfo* method) { EncoderFallbackBuffer_t2042758306 * V_0 = NULL; CharU5BU5D_t3416858730* V_1 = NULL; { V_0 = (EncoderFallbackBuffer_t2042758306 *)NULL; V_1 = (CharU5BU5D_t3416858730*)NULL; CharU5BU5D_t3416858730* L_0 = ___chars; int32_t L_1 = ___charIndex; int32_t L_2 = ___charCount; ByteU5BU5D_t58506160* L_3 = ___bytes; int32_t L_4 = ___byteIndex; int32_t L_5 = Latin1Encoding_GetBytes_m3965378137(__this, L_0, L_1, L_2, L_3, L_4, (&V_0), (&V_1), /*hidden argument*/NULL); return L_5; } } // System.Int32 System.Text.Latin1Encoding::GetBytes(System.Char[],System.Int32,System.Int32,System.Byte[],System.Int32,System.Text.EncoderFallbackBuffer&,System.Char[]&) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* Char_t2778706699_il2cpp_TypeInfo_var; extern TypeInfo* CharU5BU5D_t3416858730_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t Latin1Encoding_GetBytes_m3965378137_MetadataUsageId; extern "C" int32_t Latin1Encoding_GetBytes_m3965378137 (Latin1Encoding_t1597279492 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, EncoderFallbackBuffer_t2042758306 ** ___buffer, CharU5BU5D_t3416858730** ___fallback_chars, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Latin1Encoding_GetBytes_m3965378137_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint16_t V_1 = 0x0; int32_t V_2 = 0; { CharU5BU5D_t3416858730* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___bytes; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___charIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0033; } } { int32_t L_5 = ___charIndex; CharU5BU5D_t3416858730* L_6 = ___chars; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0048; } } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral1542343452, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0048: { int32_t L_9 = ___charCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_005a; } } { int32_t L_10 = ___charCount; CharU5BU5D_t3416858730* L_11 = ___chars; NullCheck(L_11); int32_t L_12 = ___charIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006f; } } IL_005a: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral1536848729, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006f: { int32_t L_15 = ___byteIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0082; } } { int32_t L_16 = ___byteIndex; ByteU5BU5D_t58506160* L_17 = ___bytes; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0097; } } IL_0082: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral2223324330, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0097: { ByteU5BU5D_t58506160* L_20 = ___bytes; NullCheck(L_20); int32_t L_21 = ___byteIndex; int32_t L_22 = ___charCount; if ((((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_20)->max_length))))-(int32_t)L_21))) >= ((int32_t)L_22))) { goto IL_00b4; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_23 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_24 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_24, L_23, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_24); } IL_00b4: { int32_t L_25 = ___charCount; V_0 = L_25; goto IL_01d2; } IL_00bb: { CharU5BU5D_t3416858730* L_26 = ___chars; int32_t L_27 = ___charIndex; int32_t L_28 = L_27; ___charIndex = ((int32_t)((int32_t)L_28+(int32_t)1)); NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, L_28); int32_t L_29 = L_28; V_1 = ((L_26)->GetAt(static_cast<il2cpp_array_size_t>(L_29))); uint16_t L_30 = V_1; if ((((int32_t)L_30) >= ((int32_t)((int32_t)256)))) { goto IL_00e0; } } { ByteU5BU5D_t58506160* L_31 = ___bytes; int32_t L_32 = ___byteIndex; int32_t L_33 = L_32; ___byteIndex = ((int32_t)((int32_t)L_33+(int32_t)1)); uint16_t L_34 = V_1; NullCheck(L_31); IL2CPP_ARRAY_BOUNDS_CHECK(L_31, L_33); (L_31)->SetAt(static_cast<il2cpp_array_size_t>(L_33), (uint8_t)(((int32_t)((uint8_t)L_34)))); goto IL_01d2; } IL_00e0: { uint16_t L_35 = V_1; if ((((int32_t)L_35) < ((int32_t)((int32_t)65281)))) { goto IL_010d; } } { uint16_t L_36 = V_1; if ((((int32_t)L_36) > ((int32_t)((int32_t)65374)))) { goto IL_010d; } } { ByteU5BU5D_t58506160* L_37 = ___bytes; int32_t L_38 = ___byteIndex; int32_t L_39 = L_38; ___byteIndex = ((int32_t)((int32_t)L_39+(int32_t)1)); uint16_t L_40 = V_1; NullCheck(L_37); IL2CPP_ARRAY_BOUNDS_CHECK(L_37, L_39); (L_37)->SetAt(static_cast<il2cpp_array_size_t>(L_39), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)L_40-(int32_t)((int32_t)65248))))))); goto IL_01d2; } IL_010d: { EncoderFallbackBuffer_t2042758306 ** L_41 = ___buffer; if ((*((EncoderFallbackBuffer_t2042758306 **)L_41))) { goto IL_0123; } } { EncoderFallbackBuffer_t2042758306 ** L_42 = ___buffer; EncoderFallback_t990837442 * L_43 = Encoding_get_EncoderFallback_m252351353(__this, /*hidden argument*/NULL); NullCheck(L_43); EncoderFallbackBuffer_t2042758306 * L_44 = VirtFuncInvoker0< EncoderFallbackBuffer_t2042758306 * >::Invoke(4 /* System.Text.EncoderFallbackBuffer System.Text.EncoderFallback::CreateFallbackBuffer() */, L_43); *((Il2CppObject **)(L_42)) = (Il2CppObject *)L_44; Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_42), (Il2CppObject *)L_44); } IL_0123: { uint16_t L_45 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_46 = Char_IsSurrogate_m3822546544(NULL /*static, unused*/, L_45, /*hidden argument*/NULL); if (!L_46) { goto IL_015c; } } { int32_t L_47 = V_0; if ((((int32_t)L_47) <= ((int32_t)1))) { goto IL_015c; } } { CharU5BU5D_t3416858730* L_48 = ___chars; int32_t L_49 = ___charIndex; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, L_49); int32_t L_50 = L_49; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_51 = Char_IsSurrogate_m3822546544(NULL /*static, unused*/, ((L_48)->GetAt(static_cast<il2cpp_array_size_t>(L_50))), /*hidden argument*/NULL); if (!L_51) { goto IL_015c; } } { EncoderFallbackBuffer_t2042758306 ** L_52 = ___buffer; uint16_t L_53 = V_1; CharU5BU5D_t3416858730* L_54 = ___chars; int32_t L_55 = ___charIndex; NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, L_55); int32_t L_56 = L_55; int32_t L_57 = ___charIndex; int32_t L_58 = L_57; ___charIndex = ((int32_t)((int32_t)L_58+(int32_t)1)); NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_52))); VirtFuncInvoker3< bool, uint16_t, uint16_t, int32_t >::Invoke(6 /* System.Boolean System.Text.EncoderFallbackBuffer::Fallback(System.Char,System.Char,System.Int32) */, (*((EncoderFallbackBuffer_t2042758306 **)L_52)), L_53, ((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_56))), ((int32_t)((int32_t)L_58-(int32_t)1))); goto IL_0169; } IL_015c: { EncoderFallbackBuffer_t2042758306 ** L_59 = ___buffer; uint16_t L_60 = V_1; int32_t L_61 = ___charIndex; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_59))); VirtFuncInvoker2< bool, uint16_t, int32_t >::Invoke(5 /* System.Boolean System.Text.EncoderFallbackBuffer::Fallback(System.Char,System.Int32) */, (*((EncoderFallbackBuffer_t2042758306 **)L_59)), L_60, ((int32_t)((int32_t)L_61-(int32_t)1))); } IL_0169: { CharU5BU5D_t3416858730** L_62 = ___fallback_chars; if (!(*((CharU5BU5D_t3416858730**)L_62))) { goto IL_0183; } } { CharU5BU5D_t3416858730** L_63 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_63))); EncoderFallbackBuffer_t2042758306 ** L_64 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_64))); int32_t L_65 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Text.EncoderFallbackBuffer::get_Remaining() */, (*((EncoderFallbackBuffer_t2042758306 **)L_64))); if ((((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_63)))->max_length))))) >= ((int32_t)L_65))) { goto IL_0193; } } IL_0183: { CharU5BU5D_t3416858730** L_66 = ___fallback_chars; EncoderFallbackBuffer_t2042758306 ** L_67 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_67))); int32_t L_68 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Text.EncoderFallbackBuffer::get_Remaining() */, (*((EncoderFallbackBuffer_t2042758306 **)L_67))); *((Il2CppObject **)(L_66)) = (Il2CppObject *)((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_68)); Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_66), (Il2CppObject *)((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_68))); } IL_0193: { V_2 = 0; goto IL_01ab; } IL_019a: { CharU5BU5D_t3416858730** L_69 = ___fallback_chars; int32_t L_70 = V_2; EncoderFallbackBuffer_t2042758306 ** L_71 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_71))); uint16_t L_72 = VirtFuncInvoker0< uint16_t >::Invoke(7 /* System.Char System.Text.EncoderFallbackBuffer::GetNextChar() */, (*((EncoderFallbackBuffer_t2042758306 **)L_71))); NullCheck((*((CharU5BU5D_t3416858730**)L_69))); IL2CPP_ARRAY_BOUNDS_CHECK((*((CharU5BU5D_t3416858730**)L_69)), L_70); ((*((CharU5BU5D_t3416858730**)L_69)))->SetAt(static_cast<il2cpp_array_size_t>(L_70), (uint16_t)L_72); int32_t L_73 = V_2; V_2 = ((int32_t)((int32_t)L_73+(int32_t)1)); } IL_01ab: { int32_t L_74 = V_2; CharU5BU5D_t3416858730** L_75 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_75))); if ((((int32_t)L_74) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_75)))->max_length))))))) { goto IL_019a; } } { int32_t L_76 = ___byteIndex; CharU5BU5D_t3416858730** L_77 = ___fallback_chars; CharU5BU5D_t3416858730** L_78 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_78))); ByteU5BU5D_t58506160* L_79 = ___bytes; int32_t L_80 = ___byteIndex; EncoderFallbackBuffer_t2042758306 ** L_81 = ___buffer; CharU5BU5D_t3416858730** L_82 = ___fallback_chars; int32_t L_83 = Latin1Encoding_GetBytes_m3965378137(__this, (*((CharU5BU5D_t3416858730**)L_77)), 0, (((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_78)))->max_length)))), L_79, L_80, L_81, L_82, /*hidden argument*/NULL); ___byteIndex = ((int32_t)((int32_t)L_76+(int32_t)L_83)); } IL_01d2: { int32_t L_84 = V_0; int32_t L_85 = L_84; V_0 = ((int32_t)((int32_t)L_85-(int32_t)1)); if ((((int32_t)L_85) > ((int32_t)0))) { goto IL_00bb; } } { int32_t L_86 = ___charCount; return L_86; } } // System.Int32 System.Text.Latin1Encoding::GetBytes(System.String,System.Int32,System.Int32,System.Byte[],System.Int32) extern "C" int32_t Latin1Encoding_GetBytes_m3819398871 (Latin1Encoding_t1597279492 * __this, String_t* ___s, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, const MethodInfo* method) { EncoderFallbackBuffer_t2042758306 * V_0 = NULL; CharU5BU5D_t3416858730* V_1 = NULL; { V_0 = (EncoderFallbackBuffer_t2042758306 *)NULL; V_1 = (CharU5BU5D_t3416858730*)NULL; String_t* L_0 = ___s; int32_t L_1 = ___charIndex; int32_t L_2 = ___charCount; ByteU5BU5D_t58506160* L_3 = ___bytes; int32_t L_4 = ___byteIndex; int32_t L_5 = Latin1Encoding_GetBytes_m2580301874(__this, L_0, L_1, L_2, L_3, L_4, (&V_0), (&V_1), /*hidden argument*/NULL); return L_5; } } // System.Int32 System.Text.Latin1Encoding::GetBytes(System.String,System.Int32,System.Int32,System.Byte[],System.Int32,System.Text.EncoderFallbackBuffer&,System.Char[]&) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* Char_t2778706699_il2cpp_TypeInfo_var; extern TypeInfo* CharU5BU5D_t3416858730_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral115; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral1151580041; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral1159514100; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t Latin1Encoding_GetBytes_m2580301874_MetadataUsageId; extern "C" int32_t Latin1Encoding_GetBytes_m2580301874 (Latin1Encoding_t1597279492 * __this, String_t* ___s, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, EncoderFallbackBuffer_t2042758306 ** ___buffer, CharU5BU5D_t3416858730** ___fallback_chars, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Latin1Encoding_GetBytes_m2580301874_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint16_t V_1 = 0x0; int32_t V_2 = 0; { String_t* L_0 = ___s; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral115, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___bytes; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___charIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0036; } } { int32_t L_5 = ___charIndex; String_t* L_6 = ___s; NullCheck(L_6); int32_t L_7 = String_get_Length_m2979997331(L_6, /*hidden argument*/NULL); if ((((int32_t)L_5) <= ((int32_t)L_7))) { goto IL_004b; } } IL_0036: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_8 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1151580041, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_9 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_9, _stringLiteral1542343452, L_8, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_004b: { int32_t L_10 = ___charCount; if ((((int32_t)L_10) < ((int32_t)0))) { goto IL_0060; } } { int32_t L_11 = ___charCount; String_t* L_12 = ___s; NullCheck(L_12); int32_t L_13 = String_get_Length_m2979997331(L_12, /*hidden argument*/NULL); int32_t L_14 = ___charIndex; if ((((int32_t)L_11) <= ((int32_t)((int32_t)((int32_t)L_13-(int32_t)L_14))))) { goto IL_0075; } } IL_0060: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_15 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1159514100, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_16 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_16, _stringLiteral1536848729, L_15, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_16); } IL_0075: { int32_t L_17 = ___byteIndex; if ((((int32_t)L_17) < ((int32_t)0))) { goto IL_0088; } } { int32_t L_18 = ___byteIndex; ByteU5BU5D_t58506160* L_19 = ___bytes; NullCheck(L_19); if ((((int32_t)L_18) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_19)->max_length))))))) { goto IL_009d; } } IL_0088: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_20 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_21 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_21, _stringLiteral2223324330, L_20, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_21); } IL_009d: { ByteU5BU5D_t58506160* L_22 = ___bytes; NullCheck(L_22); int32_t L_23 = ___byteIndex; int32_t L_24 = ___charCount; if ((((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_22)->max_length))))-(int32_t)L_23))) >= ((int32_t)L_24))) { goto IL_00ba; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_25 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_26 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_26, L_25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_26); } IL_00ba: { int32_t L_27 = ___charCount; V_0 = L_27; goto IL_01e4; } IL_00c1: { String_t* L_28 = ___s; int32_t L_29 = ___charIndex; int32_t L_30 = L_29; ___charIndex = ((int32_t)((int32_t)L_30+(int32_t)1)); NullCheck(L_28); uint16_t L_31 = String_get_Chars_m3015341861(L_28, L_30, /*hidden argument*/NULL); V_1 = L_31; uint16_t L_32 = V_1; if ((((int32_t)L_32) >= ((int32_t)((int32_t)256)))) { goto IL_00ea; } } { ByteU5BU5D_t58506160* L_33 = ___bytes; int32_t L_34 = ___byteIndex; int32_t L_35 = L_34; ___byteIndex = ((int32_t)((int32_t)L_35+(int32_t)1)); uint16_t L_36 = V_1; NullCheck(L_33); IL2CPP_ARRAY_BOUNDS_CHECK(L_33, L_35); (L_33)->SetAt(static_cast<il2cpp_array_size_t>(L_35), (uint8_t)(((int32_t)((uint8_t)L_36)))); goto IL_01e4; } IL_00ea: { uint16_t L_37 = V_1; if ((((int32_t)L_37) < ((int32_t)((int32_t)65281)))) { goto IL_0117; } } { uint16_t L_38 = V_1; if ((((int32_t)L_38) > ((int32_t)((int32_t)65374)))) { goto IL_0117; } } { ByteU5BU5D_t58506160* L_39 = ___bytes; int32_t L_40 = ___byteIndex; int32_t L_41 = L_40; ___byteIndex = ((int32_t)((int32_t)L_41+(int32_t)1)); uint16_t L_42 = V_1; NullCheck(L_39); IL2CPP_ARRAY_BOUNDS_CHECK(L_39, L_41); (L_39)->SetAt(static_cast<il2cpp_array_size_t>(L_41), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)L_42-(int32_t)((int32_t)65248))))))); goto IL_01e4; } IL_0117: { EncoderFallbackBuffer_t2042758306 ** L_43 = ___buffer; if ((*((EncoderFallbackBuffer_t2042758306 **)L_43))) { goto IL_012d; } } { EncoderFallbackBuffer_t2042758306 ** L_44 = ___buffer; EncoderFallback_t990837442 * L_45 = Encoding_get_EncoderFallback_m252351353(__this, /*hidden argument*/NULL); NullCheck(L_45); EncoderFallbackBuffer_t2042758306 * L_46 = VirtFuncInvoker0< EncoderFallbackBuffer_t2042758306 * >::Invoke(4 /* System.Text.EncoderFallbackBuffer System.Text.EncoderFallback::CreateFallbackBuffer() */, L_45); *((Il2CppObject **)(L_44)) = (Il2CppObject *)L_46; Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_44), (Il2CppObject *)L_46); } IL_012d: { uint16_t L_47 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_48 = Char_IsSurrogate_m3822546544(NULL /*static, unused*/, L_47, /*hidden argument*/NULL); if (!L_48) { goto IL_016e; } } { int32_t L_49 = V_0; if ((((int32_t)L_49) <= ((int32_t)1))) { goto IL_016e; } } { String_t* L_50 = ___s; int32_t L_51 = ___charIndex; NullCheck(L_50); uint16_t L_52 = String_get_Chars_m3015341861(L_50, L_51, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_53 = Char_IsSurrogate_m3822546544(NULL /*static, unused*/, L_52, /*hidden argument*/NULL); if (!L_53) { goto IL_016e; } } { EncoderFallbackBuffer_t2042758306 ** L_54 = ___buffer; uint16_t L_55 = V_1; String_t* L_56 = ___s; int32_t L_57 = ___charIndex; NullCheck(L_56); uint16_t L_58 = String_get_Chars_m3015341861(L_56, L_57, /*hidden argument*/NULL); int32_t L_59 = ___charIndex; int32_t L_60 = L_59; ___charIndex = ((int32_t)((int32_t)L_60+(int32_t)1)); NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_54))); VirtFuncInvoker3< bool, uint16_t, uint16_t, int32_t >::Invoke(6 /* System.Boolean System.Text.EncoderFallbackBuffer::Fallback(System.Char,System.Char,System.Int32) */, (*((EncoderFallbackBuffer_t2042758306 **)L_54)), L_55, L_58, ((int32_t)((int32_t)L_60-(int32_t)1))); goto IL_017b; } IL_016e: { EncoderFallbackBuffer_t2042758306 ** L_61 = ___buffer; uint16_t L_62 = V_1; int32_t L_63 = ___charIndex; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_61))); VirtFuncInvoker2< bool, uint16_t, int32_t >::Invoke(5 /* System.Boolean System.Text.EncoderFallbackBuffer::Fallback(System.Char,System.Int32) */, (*((EncoderFallbackBuffer_t2042758306 **)L_61)), L_62, ((int32_t)((int32_t)L_63-(int32_t)1))); } IL_017b: { CharU5BU5D_t3416858730** L_64 = ___fallback_chars; if (!(*((CharU5BU5D_t3416858730**)L_64))) { goto IL_0195; } } { CharU5BU5D_t3416858730** L_65 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_65))); EncoderFallbackBuffer_t2042758306 ** L_66 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_66))); int32_t L_67 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Text.EncoderFallbackBuffer::get_Remaining() */, (*((EncoderFallbackBuffer_t2042758306 **)L_66))); if ((((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_65)))->max_length))))) >= ((int32_t)L_67))) { goto IL_01a5; } } IL_0195: { CharU5BU5D_t3416858730** L_68 = ___fallback_chars; EncoderFallbackBuffer_t2042758306 ** L_69 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_69))); int32_t L_70 = VirtFuncInvoker0< int32_t >::Invoke(4 /* System.Int32 System.Text.EncoderFallbackBuffer::get_Remaining() */, (*((EncoderFallbackBuffer_t2042758306 **)L_69))); *((Il2CppObject **)(L_68)) = (Il2CppObject *)((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_70)); Il2CppCodeGenWriteBarrier((Il2CppObject **)(L_68), (Il2CppObject *)((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)L_70))); } IL_01a5: { V_2 = 0; goto IL_01bd; } IL_01ac: { CharU5BU5D_t3416858730** L_71 = ___fallback_chars; int32_t L_72 = V_2; EncoderFallbackBuffer_t2042758306 ** L_73 = ___buffer; NullCheck((*((EncoderFallbackBuffer_t2042758306 **)L_73))); uint16_t L_74 = VirtFuncInvoker0< uint16_t >::Invoke(7 /* System.Char System.Text.EncoderFallbackBuffer::GetNextChar() */, (*((EncoderFallbackBuffer_t2042758306 **)L_73))); NullCheck((*((CharU5BU5D_t3416858730**)L_71))); IL2CPP_ARRAY_BOUNDS_CHECK((*((CharU5BU5D_t3416858730**)L_71)), L_72); ((*((CharU5BU5D_t3416858730**)L_71)))->SetAt(static_cast<il2cpp_array_size_t>(L_72), (uint16_t)L_74); int32_t L_75 = V_2; V_2 = ((int32_t)((int32_t)L_75+(int32_t)1)); } IL_01bd: { int32_t L_76 = V_2; CharU5BU5D_t3416858730** L_77 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_77))); if ((((int32_t)L_76) < ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_77)))->max_length))))))) { goto IL_01ac; } } { int32_t L_78 = ___byteIndex; CharU5BU5D_t3416858730** L_79 = ___fallback_chars; CharU5BU5D_t3416858730** L_80 = ___fallback_chars; NullCheck((*((CharU5BU5D_t3416858730**)L_80))); ByteU5BU5D_t58506160* L_81 = ___bytes; int32_t L_82 = ___byteIndex; EncoderFallbackBuffer_t2042758306 ** L_83 = ___buffer; CharU5BU5D_t3416858730** L_84 = ___fallback_chars; int32_t L_85 = Latin1Encoding_GetBytes_m3965378137(__this, (*((CharU5BU5D_t3416858730**)L_79)), 0, (((int32_t)((int32_t)(((Il2CppArray *)(*((CharU5BU5D_t3416858730**)L_80)))->max_length)))), L_81, L_82, L_83, L_84, /*hidden argument*/NULL); ___byteIndex = ((int32_t)((int32_t)L_78+(int32_t)L_85)); } IL_01e4: { int32_t L_86 = V_0; int32_t L_87 = L_86; V_0 = ((int32_t)((int32_t)L_87-(int32_t)1)); if ((((int32_t)L_87) > ((int32_t)0))) { goto IL_00c1; } } { int32_t L_88 = ___charCount; return L_88; } } // System.Int32 System.Text.Latin1Encoding::GetCharCount(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t Latin1Encoding_GetCharCount_m3803100950_MetadataUsageId; extern "C" int32_t Latin1Encoding_GetCharCount_m3803100950 (Latin1Encoding_t1597279492 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Latin1Encoding_GetCharCount_m3803100950_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; ByteU5BU5D_t58506160* L_4 = ___bytes; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; ByteU5BU5D_t58506160* L_9 = ___bytes; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { int32_t L_13 = ___count; return L_13; } } // System.Int32 System.Text.Latin1Encoding::GetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t Latin1Encoding_GetChars_m2290403632_MetadataUsageId; extern "C" int32_t Latin1Encoding_GetChars_m2290403632 (Latin1Encoding_t1597279492 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, int32_t ___byteCount, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Latin1Encoding_GetChars_m2290403632_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { CharU5BU5D_t3416858730* L_2 = ___chars; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___byteIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0033; } } { int32_t L_5 = ___byteIndex; ByteU5BU5D_t58506160* L_6 = ___bytes; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0048; } } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral2223324330, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0048: { int32_t L_9 = ___byteCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_005a; } } { int32_t L_10 = ___byteCount; ByteU5BU5D_t58506160* L_11 = ___bytes; NullCheck(L_11); int32_t L_12 = ___byteIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006f; } } IL_005a: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral2217829607, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006f: { int32_t L_15 = ___charIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0082; } } { int32_t L_16 = ___charIndex; CharU5BU5D_t3416858730* L_17 = ___chars; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0097; } } IL_0082: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral1542343452, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0097: { CharU5BU5D_t3416858730* L_20 = ___chars; NullCheck(L_20); int32_t L_21 = ___charIndex; int32_t L_22 = ___byteCount; if ((((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_20)->max_length))))-(int32_t)L_21))) >= ((int32_t)L_22))) { goto IL_00b4; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_23 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_24 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_24, L_23, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_24); } IL_00b4: { int32_t L_25 = ___byteCount; V_0 = L_25; goto IL_00ce; } IL_00bb: { CharU5BU5D_t3416858730* L_26 = ___chars; int32_t L_27 = ___charIndex; int32_t L_28 = L_27; ___charIndex = ((int32_t)((int32_t)L_28+(int32_t)1)); ByteU5BU5D_t58506160* L_29 = ___bytes; int32_t L_30 = ___byteIndex; int32_t L_31 = L_30; ___byteIndex = ((int32_t)((int32_t)L_31+(int32_t)1)); NullCheck(L_29); IL2CPP_ARRAY_BOUNDS_CHECK(L_29, L_31); int32_t L_32 = L_31; NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, L_28); (L_26)->SetAt(static_cast<il2cpp_array_size_t>(L_28), (uint16_t)(((int32_t)((uint16_t)((L_29)->GetAt(static_cast<il2cpp_array_size_t>(L_32))))))); } IL_00ce: { int32_t L_33 = V_0; int32_t L_34 = L_33; V_0 = ((int32_t)((int32_t)L_34-(int32_t)1)); if ((((int32_t)L_34) > ((int32_t)0))) { goto IL_00bb; } } { int32_t L_35 = ___byteCount; return L_35; } } // System.Int32 System.Text.Latin1Encoding::GetMaxByteCount(System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral1982364266; extern const uint32_t Latin1Encoding_GetMaxByteCount_m2399868668_MetadataUsageId; extern "C" int32_t Latin1Encoding_GetMaxByteCount_m2399868668 (Latin1Encoding_t1597279492 * __this, int32_t ___charCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Latin1Encoding_GetMaxByteCount_m2399868668_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___charCount; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_1 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1982364266, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral1536848729, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { int32_t L_3 = ___charCount; return L_3; } } // System.Int32 System.Text.Latin1Encoding::GetMaxCharCount(System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1982364266; extern const uint32_t Latin1Encoding_GetMaxCharCount_m3191404014_MetadataUsageId; extern "C" int32_t Latin1Encoding_GetMaxCharCount_m3191404014 (Latin1Encoding_t1597279492 * __this, int32_t ___byteCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Latin1Encoding_GetMaxCharCount_m3191404014_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___byteCount; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_1 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1982364266, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral2217829607, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { int32_t L_3 = ___byteCount; return L_3; } } // System.String System.Text.Latin1Encoding::GetString(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t Latin1Encoding_GetString_m1453607223_MetadataUsageId; extern "C" String_t* Latin1Encoding_GetString_m1453607223 (Latin1Encoding_t1597279492 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Latin1Encoding_GetString_m1453607223_MetadataUsageId); s_Il2CppMethodIntialized = true; } uint8_t* V_0 = NULL; String_t* V_1 = NULL; uint16_t* V_2 = NULL; uint8_t* V_3 = NULL; uint8_t* V_4 = NULL; uint16_t* V_5 = NULL; String_t* V_6 = NULL; uintptr_t G_B14_0 = 0; { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; ByteU5BU5D_t58506160* L_4 = ___bytes; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; ByteU5BU5D_t58506160* L_9 = ___bytes; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { int32_t L_13 = ___count; if (L_13) { goto IL_0069; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_14 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_14; } IL_0069: { ByteU5BU5D_t58506160* L_15 = ___bytes; if (!L_15) { goto IL_0077; } } { ByteU5BU5D_t58506160* L_16 = ___bytes; NullCheck(L_16); if ((((int32_t)((int32_t)(((Il2CppArray *)L_16)->max_length))))) { goto IL_007e; } } IL_0077: { G_B14_0 = (((uintptr_t)0)); goto IL_0085; } IL_007e: { ByteU5BU5D_t58506160* L_17 = ___bytes; NullCheck(L_17); IL2CPP_ARRAY_BOUNDS_CHECK(L_17, 0); G_B14_0 = ((uintptr_t)(((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_0085: { V_0 = (uint8_t*)G_B14_0; int32_t L_18 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_19 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_18, /*hidden argument*/NULL); V_1 = L_19; String_t* L_20 = V_1; V_6 = L_20; String_t* L_21 = V_6; int32_t L_22 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_2 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_21))+(int32_t)L_22)); uint8_t* L_23 = V_0; int32_t L_24 = ___index; V_3 = (uint8_t*)((uint8_t*)((intptr_t)L_23+(int32_t)L_24)); uint8_t* L_25 = V_3; int32_t L_26 = ___count; V_4 = (uint8_t*)((uint8_t*)((intptr_t)L_25+(int32_t)L_26)); uint16_t* L_27 = V_2; V_5 = (uint16_t*)L_27; goto IL_00bc; } IL_00ab: { uint16_t* L_28 = V_5; uint16_t* L_29 = (uint16_t*)L_28; V_5 = (uint16_t*)((uint16_t*)((intptr_t)L_29+(intptr_t)(((intptr_t)2)))); uint8_t* L_30 = V_3; uint8_t* L_31 = (uint8_t*)L_30; V_3 = (uint8_t*)((uint8_t*)((intptr_t)L_31+(intptr_t)(((intptr_t)1)))); *((int16_t*)(L_29)) = (int16_t)(((int32_t)((uint16_t)(*((uint8_t*)L_31))))); } IL_00bc: { uint8_t* L_32 = V_3; uint8_t* L_33 = V_4; if ((!(((uintptr_t)L_32) >= ((uintptr_t)L_33)))) { goto IL_00ab; } } { V_6 = (String_t*)NULL; String_t* L_34 = V_1; return L_34; } } // System.String System.Text.Latin1Encoding::GetString(System.Byte[]) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern const uint32_t Latin1Encoding_GetString_m2574520983_MetadataUsageId; extern "C" String_t* Latin1Encoding_GetString_m2574520983 (Latin1Encoding_t1597279492 * __this, ByteU5BU5D_t58506160* ___bytes, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (Latin1Encoding_GetString_m2574520983_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___bytes; ByteU5BU5D_t58506160* L_3 = ___bytes; NullCheck(L_3); String_t* L_4 = VirtFuncInvoker3< String_t*, ByteU5BU5D_t58506160*, int32_t, int32_t >::Invoke(21 /* System.String System.Text.Latin1Encoding::GetString(System.Byte[],System.Int32,System.Int32) */, __this, L_2, 0, (((int32_t)((int32_t)(((Il2CppArray *)L_3)->max_length))))); return L_4; } } // System.Void System.Text.StringBuilder::.ctor(System.String,System.Int32,System.Int32,System.Int32) extern "C" void StringBuilder__ctor_m4031300257 (StringBuilder_t3822575854 * __this, String_t* ___value, int32_t ___startIndex, int32_t ___length, int32_t ___capacity, const MethodInfo* method) { { String_t* L_0 = ___value; int32_t L_1 = ___startIndex; int32_t L_2 = ___length; int32_t L_3 = ___capacity; StringBuilder__ctor_m3542181846(__this, L_0, L_1, L_2, L_3, ((int32_t)2147483647LL), /*hidden argument*/NULL); return; } } // System.Void System.Text.StringBuilder::.ctor(System.String,System.Int32,System.Int32,System.Int32,System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern TypeInfo* Int32_t2847414787_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2701320592; extern Il2CppCodeGenString* _stringLiteral3763778078; extern Il2CppCodeGenString* _stringLiteral3188603622; extern Il2CppCodeGenString* _stringLiteral1737456628; extern Il2CppCodeGenString* _stringLiteral4227142842; extern Il2CppCodeGenString* _stringLiteral913471097; extern Il2CppCodeGenString* _stringLiteral1964472894; extern Il2CppCodeGenString* _stringLiteral2792121396; extern Il2CppCodeGenString* _stringLiteral1624070733; extern Il2CppCodeGenString* _stringLiteral866724406; extern const uint32_t StringBuilder__ctor_m3542181846_MetadataUsageId; extern "C" void StringBuilder__ctor_m3542181846 (StringBuilder_t3822575854 * __this, String_t* ___value, int32_t ___startIndex, int32_t ___length, int32_t ___capacity, int32_t ___maxCapacity, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder__ctor_m3542181846_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; StringBuilder_t3822575854 * G_B21_0 = NULL; StringBuilder_t3822575854 * G_B20_0 = NULL; int32_t G_B22_0 = 0; StringBuilder_t3822575854 * G_B22_1 = NULL; { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); String_t* L_0 = ___value; if (L_0) { goto IL_0013; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___value = L_1; } IL_0013: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0030; } } { int32_t L_3 = ___startIndex; int32_t L_4 = L_3; Il2CppObject * L_5 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_4); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m3596949525(L_6, _stringLiteral2701320592, L_5, _stringLiteral3763778078, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0030: { int32_t L_7 = ___length; if ((((int32_t)L_7) >= ((int32_t)0))) { goto IL_004d; } } { int32_t L_8 = ___length; int32_t L_9 = L_8; Il2CppObject * L_10 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_9); ArgumentOutOfRangeException_t3479058991 * L_11 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m3596949525(L_11, _stringLiteral3188603622, L_10, _stringLiteral1737456628, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11); } IL_004d: { int32_t L_12 = ___capacity; if ((((int32_t)L_12) >= ((int32_t)0))) { goto IL_006c; } } { int32_t L_13 = ___capacity; int32_t L_14 = L_13; Il2CppObject * L_15 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_14); ArgumentOutOfRangeException_t3479058991 * L_16 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m3596949525(L_16, _stringLiteral4227142842, L_15, _stringLiteral913471097, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_16); } IL_006c: { int32_t L_17 = ___maxCapacity; if ((((int32_t)L_17) >= ((int32_t)1))) { goto IL_0084; } } { ArgumentOutOfRangeException_t3479058991 * L_18 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_18, _stringLiteral1964472894, _stringLiteral2792121396, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_18); } IL_0084: { int32_t L_19 = ___capacity; int32_t L_20 = ___maxCapacity; if ((((int32_t)L_19) <= ((int32_t)L_20))) { goto IL_009d; } } { ArgumentOutOfRangeException_t3479058991 * L_21 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_21, _stringLiteral4227142842, _stringLiteral1624070733, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_21); } IL_009d: { int32_t L_22 = ___startIndex; String_t* L_23 = ___value; NullCheck(L_23); int32_t L_24 = String_get_Length_m2979997331(L_23, /*hidden argument*/NULL); int32_t L_25 = ___length; if ((((int32_t)L_22) <= ((int32_t)((int32_t)((int32_t)L_24-(int32_t)L_25))))) { goto IL_00c1; } } { int32_t L_26 = ___startIndex; int32_t L_27 = L_26; Il2CppObject * L_28 = Box(Int32_t2847414787_il2cpp_TypeInfo_var, &L_27); ArgumentOutOfRangeException_t3479058991 * L_29 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m3596949525(L_29, _stringLiteral2701320592, L_28, _stringLiteral866724406, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_29); } IL_00c1: { int32_t L_30 = ___capacity; if (L_30) { goto IL_00ee; } } { int32_t L_31 = ___maxCapacity; if ((((int32_t)L_31) <= ((int32_t)((int32_t)16)))) { goto IL_00da; } } { ___capacity = ((int32_t)16); goto IL_00ee; } IL_00da: { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_32 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); String_t* L_33 = L_32; V_0 = L_33; __this->set__cached_str_3(L_33); String_t* L_34 = V_0; __this->set__str_2(L_34); } IL_00ee: { int32_t L_35 = ___maxCapacity; __this->set__maxCapacity_4(L_35); String_t* L_36 = __this->get__str_2(); if (L_36) { goto IL_011c; } } { int32_t L_37 = ___length; int32_t L_38 = ___capacity; G_B20_0 = __this; if ((((int32_t)L_37) <= ((int32_t)L_38))) { G_B21_0 = __this; goto IL_0110; } } { int32_t L_39 = ___length; G_B22_0 = L_39; G_B22_1 = G_B20_0; goto IL_0112; } IL_0110: { int32_t L_40 = ___capacity; G_B22_0 = L_40; G_B22_1 = G_B21_0; } IL_0112: { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_41 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, G_B22_0, /*hidden argument*/NULL); NullCheck(G_B22_1); G_B22_1->set__str_2(L_41); } IL_011c: { int32_t L_42 = ___length; if ((((int32_t)L_42) <= ((int32_t)0))) { goto IL_0132; } } { String_t* L_43 = __this->get__str_2(); String_t* L_44 = ___value; int32_t L_45 = ___startIndex; int32_t L_46 = ___length; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m805553372(NULL /*static, unused*/, L_43, 0, L_44, L_45, L_46, /*hidden argument*/NULL); } IL_0132: { int32_t L_47 = ___length; __this->set__length_1(L_47); return; } } // System.Void System.Text.StringBuilder::.ctor() extern "C" void StringBuilder__ctor_m135953004 (StringBuilder_t3822575854 * __this, const MethodInfo* method) { { StringBuilder__ctor_m1143895062(__this, (String_t*)NULL, /*hidden argument*/NULL); return; } } // System.Void System.Text.StringBuilder::.ctor(System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder__ctor_m3624398269_MetadataUsageId; extern "C" void StringBuilder__ctor_m3624398269 (StringBuilder_t3822575854 * __this, int32_t ___capacity, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder__ctor_m3624398269_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_0 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); int32_t L_1 = ___capacity; StringBuilder__ctor_m4031300257(__this, L_0, 0, 0, L_1, /*hidden argument*/NULL); return; } } // System.Void System.Text.StringBuilder::.ctor(System.String) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder__ctor_m1143895062_MetadataUsageId; extern "C" void StringBuilder__ctor_m1143895062 (StringBuilder_t3822575854 * __this, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder__ctor_m1143895062_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); String_t* L_0 = ___value; if (L_0) { goto IL_0013; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); ___value = L_1; } IL_0013: { String_t* L_2 = ___value; NullCheck(L_2); int32_t L_3 = String_get_Length_m2979997331(L_2, /*hidden argument*/NULL); __this->set__length_1(L_3); String_t* L_4 = ___value; String_t* L_5 = L_4; V_0 = L_5; __this->set__cached_str_3(L_5); String_t* L_6 = V_0; __this->set__str_2(L_6); __this->set__maxCapacity_4(((int32_t)2147483647LL)); return; } } // System.Void System.Text.StringBuilder::.ctor(System.String,System.Int32) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder__ctor_m1310751873_MetadataUsageId; extern "C" void StringBuilder__ctor_m1310751873 (StringBuilder_t3822575854 * __this, String_t* ___value, int32_t ___capacity, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder__ctor_m1310751873_MetadataUsageId); s_Il2CppMethodIntialized = true; } StringBuilder_t3822575854 * G_B2_0 = NULL; StringBuilder_t3822575854 * G_B1_0 = NULL; String_t* G_B3_0 = NULL; StringBuilder_t3822575854 * G_B3_1 = NULL; int32_t G_B5_0 = 0; String_t* G_B5_1 = NULL; StringBuilder_t3822575854 * G_B5_2 = NULL; int32_t G_B4_0 = 0; String_t* G_B4_1 = NULL; StringBuilder_t3822575854 * G_B4_2 = NULL; int32_t G_B6_0 = 0; int32_t G_B6_1 = 0; String_t* G_B6_2 = NULL; StringBuilder_t3822575854 * G_B6_3 = NULL; { String_t* L_0 = ___value; G_B1_0 = __this; if (L_0) { G_B2_0 = __this; goto IL_0011; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); G_B3_0 = L_1; G_B3_1 = G_B1_0; goto IL_0012; } IL_0011: { String_t* L_2 = ___value; G_B3_0 = L_2; G_B3_1 = G_B2_0; } IL_0012: { String_t* L_3 = ___value; G_B4_0 = 0; G_B4_1 = G_B3_0; G_B4_2 = G_B3_1; if (L_3) { G_B5_0 = 0; G_B5_1 = G_B3_0; G_B5_2 = G_B3_1; goto IL_001f; } } { G_B6_0 = 0; G_B6_1 = G_B4_0; G_B6_2 = G_B4_1; G_B6_3 = G_B4_2; goto IL_0025; } IL_001f: { String_t* L_4 = ___value; NullCheck(L_4); int32_t L_5 = String_get_Length_m2979997331(L_4, /*hidden argument*/NULL); G_B6_0 = L_5; G_B6_1 = G_B5_0; G_B6_2 = G_B5_1; G_B6_3 = G_B5_2; } IL_0025: { int32_t L_6 = ___capacity; NullCheck(G_B6_3); StringBuilder__ctor_m4031300257(G_B6_3, G_B6_2, G_B6_1, G_B6_0, L_6, /*hidden argument*/NULL); return; } } // System.Void System.Text.StringBuilder::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1905422062; extern Il2CppCodeGenString* _stringLiteral1094141260; extern Il2CppCodeGenString* _stringLiteral4291786970; extern const uint32_t StringBuilder__ctor_m3783410093_MetadataUsageId; extern "C" void StringBuilder__ctor_m3783410093 (StringBuilder_t3822575854 * __this, SerializationInfo_t2995724695 * ___info, StreamingContext_t986364934 ___context, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder__ctor_m3783410093_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; String_t* V_1 = NULL; { Object__ctor_m1772956182(__this, /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_0 = ___info; NullCheck(L_0); String_t* L_1 = SerializationInfo_GetString_m52579033(L_0, _stringLiteral1905422062, /*hidden argument*/NULL); V_0 = L_1; String_t* L_2 = V_0; if (L_2) { goto IL_001e; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_3 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); V_0 = L_3; } IL_001e: { String_t* L_4 = V_0; NullCheck(L_4); int32_t L_5 = String_get_Length_m2979997331(L_4, /*hidden argument*/NULL); __this->set__length_1(L_5); String_t* L_6 = V_0; String_t* L_7 = L_6; V_1 = L_7; __this->set__cached_str_3(L_7); String_t* L_8 = V_1; __this->set__str_2(L_8); SerializationInfo_t2995724695 * L_9 = ___info; NullCheck(L_9); int32_t L_10 = SerializationInfo_GetInt32_m4048035953(L_9, _stringLiteral1094141260, /*hidden argument*/NULL); __this->set__maxCapacity_4(L_10); int32_t L_11 = __this->get__maxCapacity_4(); if ((((int32_t)L_11) >= ((int32_t)0))) { goto IL_0062; } } { __this->set__maxCapacity_4(((int32_t)2147483647LL)); } IL_0062: { SerializationInfo_t2995724695 * L_12 = ___info; NullCheck(L_12); int32_t L_13 = SerializationInfo_GetInt32_m4048035953(L_12, _stringLiteral4291786970, /*hidden argument*/NULL); StringBuilder_set_Capacity_m519605088(__this, L_13, /*hidden argument*/NULL); return; } } // System.Void System.Text.StringBuilder::System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) extern Il2CppCodeGenString* _stringLiteral1094141260; extern Il2CppCodeGenString* _stringLiteral4291786970; extern Il2CppCodeGenString* _stringLiteral1905422062; extern Il2CppCodeGenString* _stringLiteral2591819921; extern const uint32_t StringBuilder_System_Runtime_Serialization_ISerializable_GetObjectData_m2909896863_MetadataUsageId; extern "C" void StringBuilder_System_Runtime_Serialization_ISerializable_GetObjectData_m2909896863 (StringBuilder_t3822575854 * __this, SerializationInfo_t2995724695 * ___info, StreamingContext_t986364934 ___context, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_System_Runtime_Serialization_ISerializable_GetObjectData_m2909896863_MetadataUsageId); s_Il2CppMethodIntialized = true; } { SerializationInfo_t2995724695 * L_0 = ___info; int32_t L_1 = __this->get__maxCapacity_4(); NullCheck(L_0); SerializationInfo_AddValue_m2348540514(L_0, _stringLiteral1094141260, L_1, /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_2 = ___info; int32_t L_3 = StringBuilder_get_Capacity_m884438143(__this, /*hidden argument*/NULL); NullCheck(L_2); SerializationInfo_AddValue_m2348540514(L_2, _stringLiteral4291786970, L_3, /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_4 = ___info; String_t* L_5 = StringBuilder_ToString_m350379841(__this, /*hidden argument*/NULL); NullCheck(L_4); SerializationInfo_AddValue_m469120675(L_4, _stringLiteral1905422062, L_5, /*hidden argument*/NULL); SerializationInfo_t2995724695 * L_6 = ___info; NullCheck(L_6); SerializationInfo_AddValue_m2348540514(L_6, _stringLiteral2591819921, 0, /*hidden argument*/NULL); return; } } // System.Int32 System.Text.StringBuilder::get_Capacity() extern "C" int32_t StringBuilder_get_Capacity_m884438143 (StringBuilder_t3822575854 * __this, const MethodInfo* method) { { String_t* L_0 = __this->get__str_2(); NullCheck(L_0); int32_t L_1 = String_get_Length_m2979997331(L_0, /*hidden argument*/NULL); if (L_1) { goto IL_001e; } } { int32_t L_2 = __this->get__maxCapacity_4(); int32_t L_3 = Math_Min_m811624909(NULL /*static, unused*/, L_2, ((int32_t)16), /*hidden argument*/NULL); return L_3; } IL_001e: { String_t* L_4 = __this->get__str_2(); NullCheck(L_4); int32_t L_5 = String_get_Length_m2979997331(L_4, /*hidden argument*/NULL); return L_5; } } // System.Void System.Text.StringBuilder::set_Capacity(System.Int32) extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3536474984; extern Il2CppCodeGenString* _stringLiteral111972721; extern Il2CppCodeGenString* _stringLiteral1647110586; extern const uint32_t StringBuilder_set_Capacity_m519605088_MetadataUsageId; extern "C" void StringBuilder_set_Capacity_m519605088 (StringBuilder_t3822575854 * __this, int32_t ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_set_Capacity_m519605088_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___value; int32_t L_1 = __this->get__length_1(); if ((((int32_t)L_0) >= ((int32_t)L_1))) { goto IL_0017; } } { ArgumentException_t124305799 * L_2 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_2, _stringLiteral3536474984, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_0017: { int32_t L_3 = ___value; int32_t L_4 = __this->get__maxCapacity_4(); if ((((int32_t)L_3) <= ((int32_t)L_4))) { goto IL_0033; } } { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_5, _stringLiteral111972721, _stringLiteral1647110586, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0033: { int32_t L_6 = ___value; StringBuilder_InternalEnsureCapacity_m3925915998(__this, L_6, /*hidden argument*/NULL); return; } } // System.Int32 System.Text.StringBuilder::get_Length() extern "C" int32_t StringBuilder_get_Length_m2443133099 (StringBuilder_t3822575854 * __this, const MethodInfo* method) { { int32_t L_0 = __this->get__length_1(); return L_0; } } // System.Void System.Text.StringBuilder::set_Length(System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_set_Length_m1952332172_MetadataUsageId; extern "C" void StringBuilder_set_Length_m1952332172 (StringBuilder_t3822575854 * __this, int32_t ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_set_Length_m1952332172_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___value; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_0013; } } { int32_t L_1 = ___value; int32_t L_2 = __this->get__maxCapacity_4(); if ((((int32_t)L_1) <= ((int32_t)L_2))) { goto IL_0019; } } IL_0013: { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0019: { int32_t L_4 = ___value; int32_t L_5 = __this->get__length_1(); if ((!(((uint32_t)L_4) == ((uint32_t)L_5)))) { goto IL_0026; } } { return; } IL_0026: { int32_t L_6 = ___value; int32_t L_7 = __this->get__length_1(); if ((((int32_t)L_6) >= ((int32_t)L_7))) { goto IL_0045; } } { int32_t L_8 = ___value; StringBuilder_InternalEnsureCapacity_m3925915998(__this, L_8, /*hidden argument*/NULL); int32_t L_9 = ___value; __this->set__length_1(L_9); goto IL_0055; } IL_0045: { int32_t L_10 = ___value; int32_t L_11 = __this->get__length_1(); StringBuilder_Append_m1038583841(__this, 0, ((int32_t)((int32_t)L_10-(int32_t)L_11)), /*hidden argument*/NULL); } IL_0055: { return; } } // System.Char System.Text.StringBuilder::get_Chars(System.Int32) extern TypeInfo* IndexOutOfRangeException_t3760259642_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_get_Chars_m1670994701_MetadataUsageId; extern "C" uint16_t StringBuilder_get_Chars_m1670994701 (StringBuilder_t3822575854 * __this, int32_t ___index, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_get_Chars_m1670994701_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___index; int32_t L_1 = __this->get__length_1(); if ((((int32_t)L_0) >= ((int32_t)L_1))) { goto IL_0013; } } { int32_t L_2 = ___index; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0019; } } IL_0013: { IndexOutOfRangeException_t3760259642 * L_3 = (IndexOutOfRangeException_t3760259642 *)il2cpp_codegen_object_new(IndexOutOfRangeException_t3760259642_il2cpp_TypeInfo_var); IndexOutOfRangeException__ctor_m707236112(L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0019: { String_t* L_4 = __this->get__str_2(); int32_t L_5 = ___index; NullCheck(L_4); uint16_t L_6 = String_get_Chars_m3015341861(L_4, L_5, /*hidden argument*/NULL); return L_6; } } // System.Void System.Text.StringBuilder::set_Chars(System.Int32,System.Char) extern TypeInfo* IndexOutOfRangeException_t3760259642_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_set_Chars_m1845996850_MetadataUsageId; extern "C" void StringBuilder_set_Chars_m1845996850 (StringBuilder_t3822575854 * __this, int32_t ___index, uint16_t ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_set_Chars_m1845996850_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___index; int32_t L_1 = __this->get__length_1(); if ((((int32_t)L_0) >= ((int32_t)L_1))) { goto IL_0013; } } { int32_t L_2 = ___index; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0019; } } IL_0013: { IndexOutOfRangeException_t3760259642 * L_3 = (IndexOutOfRangeException_t3760259642 *)il2cpp_codegen_object_new(IndexOutOfRangeException_t3760259642_il2cpp_TypeInfo_var); IndexOutOfRangeException__ctor_m707236112(L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0019: { String_t* L_4 = __this->get__cached_str_3(); if (!L_4) { goto IL_0030; } } { int32_t L_5 = __this->get__length_1(); StringBuilder_InternalEnsureCapacity_m3925915998(__this, L_5, /*hidden argument*/NULL); } IL_0030: { String_t* L_6 = __this->get__str_2(); int32_t L_7 = ___index; uint16_t L_8 = ___value; NullCheck(L_6); String_InternalSetChar_m3191521125(L_6, L_7, L_8, /*hidden argument*/NULL); return; } } // System.String System.Text.StringBuilder::ToString() extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_ToString_m350379841_MetadataUsageId; extern "C" String_t* StringBuilder_ToString_m350379841 (StringBuilder_t3822575854 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_ToString_m350379841_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = __this->get__length_1(); if (L_0) { goto IL_0011; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_1 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_1; } IL_0011: { String_t* L_2 = __this->get__cached_str_3(); if (!L_2) { goto IL_0023; } } { String_t* L_3 = __this->get__cached_str_3(); return L_3; } IL_0023: { int32_t L_4 = __this->get__length_1(); String_t* L_5 = __this->get__str_2(); NullCheck(L_5); int32_t L_6 = String_get_Length_m2979997331(L_5, /*hidden argument*/NULL); if ((((int32_t)L_4) >= ((int32_t)((int32_t)((int32_t)L_6>>(int32_t)1))))) { goto IL_005a; } } { String_t* L_7 = __this->get__str_2(); int32_t L_8 = __this->get__length_1(); NullCheck(L_7); String_t* L_9 = String_SubstringUnchecked_m3781557708(L_7, 0, L_8, /*hidden argument*/NULL); __this->set__cached_str_3(L_9); String_t* L_10 = __this->get__cached_str_3(); return L_10; } IL_005a: { String_t* L_11 = __this->get__str_2(); __this->set__cached_str_3(L_11); String_t* L_12 = __this->get__str_2(); int32_t L_13 = __this->get__length_1(); NullCheck(L_12); String_InternalSetLength_m4220170206(L_12, L_13, /*hidden argument*/NULL); String_t* L_14 = __this->get__str_2(); return L_14; } } // System.String System.Text.StringBuilder::ToString(System.Int32,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_ToString_m3621056261_MetadataUsageId; extern "C" String_t* StringBuilder_ToString_m3621056261 (StringBuilder_t3822575854 * __this, int32_t ___startIndex, int32_t ___length, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_ToString_m3621056261_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___startIndex; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_001c; } } { int32_t L_1 = ___length; if ((((int32_t)L_1) < ((int32_t)0))) { goto IL_001c; } } { int32_t L_2 = ___startIndex; int32_t L_3 = __this->get__length_1(); int32_t L_4 = ___length; if ((((int32_t)L_2) <= ((int32_t)((int32_t)((int32_t)L_3-(int32_t)L_4))))) { goto IL_0022; } } IL_001c: { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0022: { int32_t L_6 = ___startIndex; if (L_6) { goto IL_003b; } } { int32_t L_7 = ___length; int32_t L_8 = __this->get__length_1(); if ((!(((uint32_t)L_7) == ((uint32_t)L_8)))) { goto IL_003b; } } { String_t* L_9 = StringBuilder_ToString_m350379841(__this, /*hidden argument*/NULL); return L_9; } IL_003b: { String_t* L_10 = __this->get__str_2(); int32_t L_11 = ___startIndex; int32_t L_12 = ___length; NullCheck(L_10); String_t* L_13 = String_SubstringUnchecked_m3781557708(L_10, L_11, L_12, /*hidden argument*/NULL); return L_13; } } // System.Text.StringBuilder System.Text.StringBuilder::Remove(System.Int32,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_Remove_m970775893_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_Remove_m970775893 (StringBuilder_t3822575854 * __this, int32_t ___startIndex, int32_t ___length, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_Remove_m970775893_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___startIndex; if ((((int32_t)L_0) < ((int32_t)0))) { goto IL_001c; } } { int32_t L_1 = ___length; if ((((int32_t)L_1) < ((int32_t)0))) { goto IL_001c; } } { int32_t L_2 = ___startIndex; int32_t L_3 = __this->get__length_1(); int32_t L_4 = ___length; if ((((int32_t)L_2) <= ((int32_t)((int32_t)((int32_t)L_3-(int32_t)L_4))))) { goto IL_0022; } } IL_001c: { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0022: { String_t* L_6 = __this->get__cached_str_3(); if (!L_6) { goto IL_0039; } } { int32_t L_7 = __this->get__length_1(); StringBuilder_InternalEnsureCapacity_m3925915998(__this, L_7, /*hidden argument*/NULL); } IL_0039: { int32_t L_8 = __this->get__length_1(); int32_t L_9 = ___startIndex; int32_t L_10 = ___length; if ((((int32_t)((int32_t)((int32_t)L_8-(int32_t)((int32_t)((int32_t)L_9+(int32_t)L_10))))) <= ((int32_t)0))) { goto IL_0068; } } { String_t* L_11 = __this->get__str_2(); int32_t L_12 = ___startIndex; String_t* L_13 = __this->get__str_2(); int32_t L_14 = ___startIndex; int32_t L_15 = ___length; int32_t L_16 = __this->get__length_1(); int32_t L_17 = ___startIndex; int32_t L_18 = ___length; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m805553372(NULL /*static, unused*/, L_11, L_12, L_13, ((int32_t)((int32_t)L_14+(int32_t)L_15)), ((int32_t)((int32_t)L_16-(int32_t)((int32_t)((int32_t)L_17+(int32_t)L_18)))), /*hidden argument*/NULL); } IL_0068: { int32_t L_19 = __this->get__length_1(); int32_t L_20 = ___length; __this->set__length_1(((int32_t)((int32_t)L_19-(int32_t)L_20))); return __this; } } // System.Text.StringBuilder System.Text.StringBuilder::Replace(System.String,System.String) extern "C" StringBuilder_t3822575854 * StringBuilder_Replace_m118777941 (StringBuilder_t3822575854 * __this, String_t* ___oldValue, String_t* ___newValue, const MethodInfo* method) { { String_t* L_0 = ___oldValue; String_t* L_1 = ___newValue; int32_t L_2 = __this->get__length_1(); StringBuilder_t3822575854 * L_3 = StringBuilder_Replace_m1895746933(__this, L_0, L_1, 0, L_2, /*hidden argument*/NULL); return L_3; } } // System.Text.StringBuilder System.Text.StringBuilder::Replace(System.String,System.String,System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2751899376; extern Il2CppCodeGenString* _stringLiteral694411527; extern const uint32_t StringBuilder_Replace_m1895746933_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_Replace_m1895746933 (StringBuilder_t3822575854 * __this, String_t* ___oldValue, String_t* ___newValue, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_Replace_m1895746933_MetadataUsageId); s_Il2CppMethodIntialized = true; } String_t* V_0 = NULL; String_t* V_1 = NULL; { String_t* L_0 = ___oldValue; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral2751899376, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___startIndex; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_002f; } } { int32_t L_3 = ___count; if ((((int32_t)L_3) < ((int32_t)0))) { goto IL_002f; } } { int32_t L_4 = ___startIndex; int32_t L_5 = __this->get__length_1(); int32_t L_6 = ___count; if ((((int32_t)L_4) <= ((int32_t)((int32_t)((int32_t)L_5-(int32_t)L_6))))) { goto IL_0035; } } IL_002f: { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0035: { String_t* L_8 = ___oldValue; NullCheck(L_8); int32_t L_9 = String_get_Length_m2979997331(L_8, /*hidden argument*/NULL); if (L_9) { goto IL_004b; } } { ArgumentException_t124305799 * L_10 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_10, _stringLiteral694411527, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_10); } IL_004b: { String_t* L_11 = __this->get__str_2(); int32_t L_12 = ___startIndex; int32_t L_13 = ___count; NullCheck(L_11); String_t* L_14 = String_Substring_m675079568(L_11, L_12, L_13, /*hidden argument*/NULL); V_0 = L_14; String_t* L_15 = V_0; String_t* L_16 = ___oldValue; String_t* L_17 = ___newValue; NullCheck(L_15); String_t* L_18 = String_Replace_m2915759397(L_15, L_16, L_17, /*hidden argument*/NULL); V_1 = L_18; String_t* L_19 = V_1; String_t* L_20 = V_0; if ((!(((Il2CppObject*)(String_t*)L_19) == ((Il2CppObject*)(String_t*)L_20)))) { goto IL_006c; } } { return __this; } IL_006c: { String_t* L_21 = V_1; NullCheck(L_21); int32_t L_22 = String_get_Length_m2979997331(L_21, /*hidden argument*/NULL); int32_t L_23 = __this->get__length_1(); int32_t L_24 = ___count; StringBuilder_InternalEnsureCapacity_m3925915998(__this, ((int32_t)((int32_t)L_22+(int32_t)((int32_t)((int32_t)L_23-(int32_t)L_24)))), /*hidden argument*/NULL); String_t* L_25 = V_1; NullCheck(L_25); int32_t L_26 = String_get_Length_m2979997331(L_25, /*hidden argument*/NULL); int32_t L_27 = ___count; if ((((int32_t)L_26) >= ((int32_t)L_27))) { goto IL_00bc; } } { String_t* L_28 = __this->get__str_2(); int32_t L_29 = ___startIndex; String_t* L_30 = V_1; NullCheck(L_30); int32_t L_31 = String_get_Length_m2979997331(L_30, /*hidden argument*/NULL); String_t* L_32 = __this->get__str_2(); int32_t L_33 = ___startIndex; int32_t L_34 = ___count; int32_t L_35 = __this->get__length_1(); int32_t L_36 = ___startIndex; int32_t L_37 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m805553372(NULL /*static, unused*/, L_28, ((int32_t)((int32_t)L_29+(int32_t)L_31)), L_32, ((int32_t)((int32_t)L_33+(int32_t)L_34)), ((int32_t)((int32_t)((int32_t)((int32_t)L_35-(int32_t)L_36))-(int32_t)L_37)), /*hidden argument*/NULL); goto IL_00f1; } IL_00bc: { String_t* L_38 = V_1; NullCheck(L_38); int32_t L_39 = String_get_Length_m2979997331(L_38, /*hidden argument*/NULL); int32_t L_40 = ___count; if ((((int32_t)L_39) <= ((int32_t)L_40))) { goto IL_00f1; } } { String_t* L_41 = __this->get__str_2(); int32_t L_42 = ___startIndex; String_t* L_43 = V_1; NullCheck(L_43); int32_t L_44 = String_get_Length_m2979997331(L_43, /*hidden argument*/NULL); String_t* L_45 = __this->get__str_2(); int32_t L_46 = ___startIndex; int32_t L_47 = ___count; int32_t L_48 = __this->get__length_1(); int32_t L_49 = ___startIndex; int32_t L_50 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopyReverse_m1535680650(NULL /*static, unused*/, L_41, ((int32_t)((int32_t)L_42+(int32_t)L_44)), L_45, ((int32_t)((int32_t)L_46+(int32_t)L_47)), ((int32_t)((int32_t)((int32_t)((int32_t)L_48-(int32_t)L_49))-(int32_t)L_50)), /*hidden argument*/NULL); } IL_00f1: { String_t* L_51 = __this->get__str_2(); int32_t L_52 = ___startIndex; String_t* L_53 = V_1; String_t* L_54 = V_1; NullCheck(L_54); int32_t L_55 = String_get_Length_m2979997331(L_54, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m805553372(NULL /*static, unused*/, L_51, L_52, L_53, 0, L_55, /*hidden argument*/NULL); String_t* L_56 = V_1; NullCheck(L_56); int32_t L_57 = String_get_Length_m2979997331(L_56, /*hidden argument*/NULL); int32_t L_58 = __this->get__length_1(); int32_t L_59 = ___count; __this->set__length_1(((int32_t)((int32_t)L_57+(int32_t)((int32_t)((int32_t)L_58-(int32_t)L_59))))); return __this; } } // System.Text.StringBuilder System.Text.StringBuilder::Append(System.String) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_Append_m3898090075_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_Append_m3898090075 (StringBuilder_t3822575854 * __this, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_Append_m3898090075_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; String_t* V_1 = NULL; { String_t* L_0 = ___value; if (L_0) { goto IL_0008; } } { return __this; } IL_0008: { int32_t L_1 = __this->get__length_1(); if (L_1) { goto IL_0058; } } { String_t* L_2 = ___value; NullCheck(L_2); int32_t L_3 = String_get_Length_m2979997331(L_2, /*hidden argument*/NULL); int32_t L_4 = __this->get__maxCapacity_4(); if ((((int32_t)L_3) >= ((int32_t)L_4))) { goto IL_0058; } } { String_t* L_5 = ___value; NullCheck(L_5); int32_t L_6 = String_get_Length_m2979997331(L_5, /*hidden argument*/NULL); String_t* L_7 = __this->get__str_2(); NullCheck(L_7); int32_t L_8 = String_get_Length_m2979997331(L_7, /*hidden argument*/NULL); if ((((int32_t)L_6) <= ((int32_t)L_8))) { goto IL_0058; } } { String_t* L_9 = ___value; NullCheck(L_9); int32_t L_10 = String_get_Length_m2979997331(L_9, /*hidden argument*/NULL); __this->set__length_1(L_10); String_t* L_11 = ___value; String_t* L_12 = L_11; V_1 = L_12; __this->set__cached_str_3(L_12); String_t* L_13 = V_1; __this->set__str_2(L_13); return __this; } IL_0058: { int32_t L_14 = __this->get__length_1(); String_t* L_15 = ___value; NullCheck(L_15); int32_t L_16 = String_get_Length_m2979997331(L_15, /*hidden argument*/NULL); V_0 = ((int32_t)((int32_t)L_14+(int32_t)L_16)); String_t* L_17 = __this->get__cached_str_3(); if (L_17) { goto IL_0082; } } { String_t* L_18 = __this->get__str_2(); NullCheck(L_18); int32_t L_19 = String_get_Length_m2979997331(L_18, /*hidden argument*/NULL); int32_t L_20 = V_0; if ((((int32_t)L_19) >= ((int32_t)L_20))) { goto IL_0089; } } IL_0082: { int32_t L_21 = V_0; StringBuilder_InternalEnsureCapacity_m3925915998(__this, L_21, /*hidden argument*/NULL); } IL_0089: { String_t* L_22 = __this->get__str_2(); int32_t L_23 = __this->get__length_1(); String_t* L_24 = ___value; String_t* L_25 = ___value; NullCheck(L_25); int32_t L_26 = String_get_Length_m2979997331(L_25, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m805553372(NULL /*static, unused*/, L_22, L_23, L_24, 0, L_26, /*hidden argument*/NULL); int32_t L_27 = V_0; __this->set__length_1(L_27); return __this; } } // System.Text.StringBuilder System.Text.StringBuilder::Append(System.Int32) extern "C" StringBuilder_t3822575854 * StringBuilder_Append_m2189222616 (StringBuilder_t3822575854 * __this, int32_t ___value, const MethodInfo* method) { { String_t* L_0 = Int32_ToString_m1286526384((&___value), /*hidden argument*/NULL); StringBuilder_t3822575854 * L_1 = StringBuilder_Append_m3898090075(__this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Text.StringBuilder System.Text.StringBuilder::Append(System.Int64) extern "C" StringBuilder_t3822575854 * StringBuilder_Append_m2189225561 (StringBuilder_t3822575854 * __this, int64_t ___value, const MethodInfo* method) { { String_t* L_0 = Int64_ToString_m3478011791((&___value), /*hidden argument*/NULL); StringBuilder_t3822575854 * L_1 = StringBuilder_Append_m3898090075(__this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Text.StringBuilder System.Text.StringBuilder::Append(System.Object) extern "C" StringBuilder_t3822575854 * StringBuilder_Append_m4120200429 (StringBuilder_t3822575854 * __this, Il2CppObject * ___value, const MethodInfo* method) { { Il2CppObject * L_0 = ___value; if (L_0) { goto IL_0008; } } { return __this; } IL_0008: { Il2CppObject * L_1 = ___value; NullCheck(L_1); String_t* L_2 = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, L_1); StringBuilder_t3822575854 * L_3 = StringBuilder_Append_m3898090075(__this, L_2, /*hidden argument*/NULL); return L_3; } } // System.Text.StringBuilder System.Text.StringBuilder::Append(System.Char) extern "C" StringBuilder_t3822575854 * StringBuilder_Append_m2143093878 (StringBuilder_t3822575854 * __this, uint16_t ___value, const MethodInfo* method) { int32_t V_0 = 0; { int32_t L_0 = __this->get__length_1(); V_0 = ((int32_t)((int32_t)L_0+(int32_t)1)); String_t* L_1 = __this->get__cached_str_3(); if (L_1) { goto IL_0025; } } { String_t* L_2 = __this->get__str_2(); NullCheck(L_2); int32_t L_3 = String_get_Length_m2979997331(L_2, /*hidden argument*/NULL); int32_t L_4 = V_0; if ((((int32_t)L_3) >= ((int32_t)L_4))) { goto IL_002c; } } IL_0025: { int32_t L_5 = V_0; StringBuilder_InternalEnsureCapacity_m3925915998(__this, L_5, /*hidden argument*/NULL); } IL_002c: { String_t* L_6 = __this->get__str_2(); int32_t L_7 = __this->get__length_1(); uint16_t L_8 = ___value; NullCheck(L_6); String_InternalSetChar_m3191521125(L_6, L_7, L_8, /*hidden argument*/NULL); int32_t L_9 = V_0; __this->set__length_1(L_9); return __this; } } // System.Text.StringBuilder System.Text.StringBuilder::Append(System.Char,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_Append_m1038583841_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_Append_m1038583841 (StringBuilder_t3822575854 * __this, uint16_t ___value, int32_t ___repeatCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_Append_m1038583841_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___repeatCount; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_000d; } } { ArgumentOutOfRangeException_t3479058991 * L_1 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_000d: { int32_t L_2 = __this->get__length_1(); int32_t L_3 = ___repeatCount; StringBuilder_InternalEnsureCapacity_m3925915998(__this, ((int32_t)((int32_t)L_2+(int32_t)L_3)), /*hidden argument*/NULL); V_0 = 0; goto IL_0043; } IL_0022: { String_t* L_4 = __this->get__str_2(); int32_t L_5 = __this->get__length_1(); int32_t L_6 = L_5; V_1 = L_6; __this->set__length_1(((int32_t)((int32_t)L_6+(int32_t)1))); int32_t L_7 = V_1; uint16_t L_8 = ___value; NullCheck(L_4); String_InternalSetChar_m3191521125(L_4, L_7, L_8, /*hidden argument*/NULL); int32_t L_9 = V_0; V_0 = ((int32_t)((int32_t)L_9+(int32_t)1)); } IL_0043: { int32_t L_10 = V_0; int32_t L_11 = ___repeatCount; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0022; } } { return __this; } } // System.Text.StringBuilder System.Text.StringBuilder::Append(System.Char[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern const uint32_t StringBuilder_Append_m2623154804_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_Append_m2623154804 (StringBuilder_t3822575854 * __this, CharU5BU5D_t3416858730* ___value, int32_t ___startIndex, int32_t ___charCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_Append_m2623154804_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { CharU5BU5D_t3416858730* L_0 = ___value; if (L_0) { goto IL_001f; } } { int32_t L_1 = ___startIndex; if (L_1) { goto IL_0012; } } { int32_t L_2 = ___charCount; if (!L_2) { goto IL_001d; } } IL_0012: { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_001d: { return __this; } IL_001f: { int32_t L_4 = ___charCount; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0038; } } { int32_t L_5 = ___startIndex; if ((((int32_t)L_5) < ((int32_t)0))) { goto IL_0038; } } { int32_t L_6 = ___startIndex; CharU5BU5D_t3416858730* L_7 = ___value; NullCheck(L_7); int32_t L_8 = ___charCount; if ((((int32_t)L_6) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_7)->max_length))))-(int32_t)L_8))))) { goto IL_003e; } } IL_0038: { ArgumentOutOfRangeException_t3479058991 * L_9 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_9, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_003e: { int32_t L_10 = __this->get__length_1(); int32_t L_11 = ___charCount; V_0 = ((int32_t)((int32_t)L_10+(int32_t)L_11)); int32_t L_12 = V_0; StringBuilder_InternalEnsureCapacity_m3925915998(__this, L_12, /*hidden argument*/NULL); String_t* L_13 = __this->get__str_2(); int32_t L_14 = __this->get__length_1(); CharU5BU5D_t3416858730* L_15 = ___value; int32_t L_16 = ___startIndex; int32_t L_17 = ___charCount; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m432636757(NULL /*static, unused*/, L_13, L_14, L_15, L_16, L_17, /*hidden argument*/NULL); int32_t L_18 = V_0; __this->set__length_1(L_18); return __this; } } // System.Text.StringBuilder System.Text.StringBuilder::Append(System.String,System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111972721; extern const uint32_t StringBuilder_Append_m2996071419_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_Append_m2996071419 (StringBuilder_t3822575854 * __this, String_t* ___value, int32_t ___startIndex, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_Append_m2996071419_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { String_t* L_0 = ___value; if (L_0) { goto IL_001f; } } { int32_t L_1 = ___startIndex; if (!L_1) { goto IL_001d; } } { int32_t L_2 = ___count; if (!L_2) { goto IL_001d; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral111972721, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_001d: { return __this; } IL_001f: { int32_t L_4 = ___count; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_003b; } } { int32_t L_5 = ___startIndex; if ((((int32_t)L_5) < ((int32_t)0))) { goto IL_003b; } } { int32_t L_6 = ___startIndex; String_t* L_7 = ___value; NullCheck(L_7); int32_t L_8 = String_get_Length_m2979997331(L_7, /*hidden argument*/NULL); int32_t L_9 = ___count; if ((((int32_t)L_6) <= ((int32_t)((int32_t)((int32_t)L_8-(int32_t)L_9))))) { goto IL_0041; } } IL_003b: { ArgumentOutOfRangeException_t3479058991 * L_10 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_10, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_10); } IL_0041: { int32_t L_11 = __this->get__length_1(); int32_t L_12 = ___count; V_0 = ((int32_t)((int32_t)L_11+(int32_t)L_12)); String_t* L_13 = __this->get__cached_str_3(); if (L_13) { goto IL_0066; } } { String_t* L_14 = __this->get__str_2(); NullCheck(L_14); int32_t L_15 = String_get_Length_m2979997331(L_14, /*hidden argument*/NULL); int32_t L_16 = V_0; if ((((int32_t)L_15) >= ((int32_t)L_16))) { goto IL_006d; } } IL_0066: { int32_t L_17 = V_0; StringBuilder_InternalEnsureCapacity_m3925915998(__this, L_17, /*hidden argument*/NULL); } IL_006d: { String_t* L_18 = __this->get__str_2(); int32_t L_19 = __this->get__length_1(); String_t* L_20 = ___value; int32_t L_21 = ___startIndex; int32_t L_22 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m805553372(NULL /*static, unused*/, L_18, L_19, L_20, L_21, L_22, /*hidden argument*/NULL); int32_t L_23 = V_0; __this->set__length_1(L_23); return __this; } } // System.Text.StringBuilder System.Text.StringBuilder::AppendLine() extern "C" StringBuilder_t3822575854 * StringBuilder_AppendLine_m568622107 (StringBuilder_t3822575854 * __this, const MethodInfo* method) { { String_t* L_0 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); StringBuilder_t3822575854 * L_1 = StringBuilder_Append_m3898090075(__this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Text.StringBuilder System.Text.StringBuilder::AppendLine(System.String) extern "C" StringBuilder_t3822575854 * StringBuilder_AppendLine_m655025863 (StringBuilder_t3822575854 * __this, String_t* ___value, const MethodInfo* method) { { String_t* L_0 = ___value; StringBuilder_t3822575854 * L_1 = StringBuilder_Append_m3898090075(__this, L_0, /*hidden argument*/NULL); String_t* L_2 = Environment_get_NewLine_m1034655108(NULL /*static, unused*/, /*hidden argument*/NULL); NullCheck(L_1); StringBuilder_t3822575854 * L_3 = StringBuilder_Append_m3898090075(L_1, L_2, /*hidden argument*/NULL); return L_3; } } // System.Text.StringBuilder System.Text.StringBuilder::AppendFormat(System.String,System.Object[]) extern "C" StringBuilder_t3822575854 * StringBuilder_AppendFormat_m279545936 (StringBuilder_t3822575854 * __this, String_t* ___format, ObjectU5BU5D_t11523773* ___args, const MethodInfo* method) { { String_t* L_0 = ___format; ObjectU5BU5D_t11523773* L_1 = ___args; StringBuilder_t3822575854 * L_2 = StringBuilder_AppendFormat_m259793396(__this, (Il2CppObject *)NULL, L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Text.StringBuilder System.Text.StringBuilder::AppendFormat(System.IFormatProvider,System.String,System.Object[]) extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_AppendFormat_m259793396_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_AppendFormat_m259793396 (StringBuilder_t3822575854 * __this, Il2CppObject * ___provider, String_t* ___format, ObjectU5BU5D_t11523773* ___args, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_AppendFormat_m259793396_MetadataUsageId); s_Il2CppMethodIntialized = true; } { Il2CppObject * L_0 = ___provider; String_t* L_1 = ___format; ObjectU5BU5D_t11523773* L_2 = ___args; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_FormatHelper_m2506490508(NULL /*static, unused*/, __this, L_0, L_1, L_2, /*hidden argument*/NULL); return __this; } } // System.Text.StringBuilder System.Text.StringBuilder::AppendFormat(System.String,System.Object) extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_AppendFormat_m3723191730_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_AppendFormat_m3723191730 (StringBuilder_t3822575854 * __this, String_t* ___format, Il2CppObject * ___arg0, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_AppendFormat_m3723191730_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___format; ObjectU5BU5D_t11523773* L_1 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)1)); Il2CppObject * L_2 = ___arg0; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 0); ArrayElementTypeCheck (L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_2); StringBuilder_t3822575854 * L_3 = StringBuilder_AppendFormat_m259793396(__this, (Il2CppObject *)NULL, L_0, L_1, /*hidden argument*/NULL); return L_3; } } // System.Text.StringBuilder System.Text.StringBuilder::AppendFormat(System.String,System.Object,System.Object) extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_AppendFormat_m3487355136_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_AppendFormat_m3487355136 (StringBuilder_t3822575854 * __this, String_t* ___format, Il2CppObject * ___arg0, Il2CppObject * ___arg1, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_AppendFormat_m3487355136_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___format; ObjectU5BU5D_t11523773* L_1 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)2)); Il2CppObject * L_2 = ___arg0; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 0); ArrayElementTypeCheck (L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_2); ObjectU5BU5D_t11523773* L_3 = L_1; Il2CppObject * L_4 = ___arg1; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 1); ArrayElementTypeCheck (L_3, L_4); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(1), (Il2CppObject *)L_4); StringBuilder_t3822575854 * L_5 = StringBuilder_AppendFormat_m259793396(__this, (Il2CppObject *)NULL, L_0, L_3, /*hidden argument*/NULL); return L_5; } } // System.Text.StringBuilder System.Text.StringBuilder::AppendFormat(System.String,System.Object,System.Object,System.Object) extern TypeInfo* ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_AppendFormat_m508648398_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_AppendFormat_m508648398 (StringBuilder_t3822575854 * __this, String_t* ___format, Il2CppObject * ___arg0, Il2CppObject * ___arg1, Il2CppObject * ___arg2, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_AppendFormat_m508648398_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___format; ObjectU5BU5D_t11523773* L_1 = ((ObjectU5BU5D_t11523773*)SZArrayNew(ObjectU5BU5D_t11523773_il2cpp_TypeInfo_var, (uint32_t)3)); Il2CppObject * L_2 = ___arg0; NullCheck(L_1); IL2CPP_ARRAY_BOUNDS_CHECK(L_1, 0); ArrayElementTypeCheck (L_1, L_2); (L_1)->SetAt(static_cast<il2cpp_array_size_t>(0), (Il2CppObject *)L_2); ObjectU5BU5D_t11523773* L_3 = L_1; Il2CppObject * L_4 = ___arg1; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 1); ArrayElementTypeCheck (L_3, L_4); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(1), (Il2CppObject *)L_4); ObjectU5BU5D_t11523773* L_5 = L_3; Il2CppObject * L_6 = ___arg2; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, 2); ArrayElementTypeCheck (L_5, L_6); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(2), (Il2CppObject *)L_6); StringBuilder_t3822575854 * L_7 = StringBuilder_AppendFormat_m259793396(__this, (Il2CppObject *)NULL, L_0, L_5, /*hidden argument*/NULL); return L_7; } } // System.Text.StringBuilder System.Text.StringBuilder::Insert(System.Int32,System.String) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_Insert_m745836595_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_Insert_m745836595 (StringBuilder_t3822575854 * __this, int32_t ___index, String_t* ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_Insert_m745836595_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___index; int32_t L_1 = __this->get__length_1(); if ((((int32_t)L_0) > ((int32_t)L_1))) { goto IL_0013; } } { int32_t L_2 = ___index; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0019; } } IL_0013: { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0019: { String_t* L_4 = ___value; if (!L_4) { goto IL_002a; } } { String_t* L_5 = ___value; NullCheck(L_5); int32_t L_6 = String_get_Length_m2979997331(L_5, /*hidden argument*/NULL); if (L_6) { goto IL_002c; } } IL_002a: { return __this; } IL_002c: { int32_t L_7 = __this->get__length_1(); String_t* L_8 = ___value; NullCheck(L_8); int32_t L_9 = String_get_Length_m2979997331(L_8, /*hidden argument*/NULL); StringBuilder_InternalEnsureCapacity_m3925915998(__this, ((int32_t)((int32_t)L_7+(int32_t)L_9)), /*hidden argument*/NULL); String_t* L_10 = __this->get__str_2(); int32_t L_11 = ___index; String_t* L_12 = ___value; NullCheck(L_12); int32_t L_13 = String_get_Length_m2979997331(L_12, /*hidden argument*/NULL); String_t* L_14 = __this->get__str_2(); int32_t L_15 = ___index; int32_t L_16 = __this->get__length_1(); int32_t L_17 = ___index; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopyReverse_m1535680650(NULL /*static, unused*/, L_10, ((int32_t)((int32_t)L_11+(int32_t)L_13)), L_14, L_15, ((int32_t)((int32_t)L_16-(int32_t)L_17)), /*hidden argument*/NULL); String_t* L_18 = __this->get__str_2(); int32_t L_19 = ___index; String_t* L_20 = ___value; String_t* L_21 = ___value; NullCheck(L_21); int32_t L_22 = String_get_Length_m2979997331(L_21, /*hidden argument*/NULL); String_CharCopy_m805553372(NULL /*static, unused*/, L_18, L_19, L_20, 0, L_22, /*hidden argument*/NULL); int32_t L_23 = __this->get__length_1(); String_t* L_24 = ___value; NullCheck(L_24); int32_t L_25 = String_get_Length_m2979997331(L_24, /*hidden argument*/NULL); __this->set__length_1(((int32_t)((int32_t)L_23+(int32_t)L_25))); return __this; } } // System.Text.StringBuilder System.Text.StringBuilder::Insert(System.Int32,System.Char) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral100346066; extern const uint32_t StringBuilder_Insert_m1867188302_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_Insert_m1867188302 (StringBuilder_t3822575854 * __this, int32_t ___index, uint16_t ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_Insert_m1867188302_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___index; int32_t L_1 = __this->get__length_1(); if ((((int32_t)L_0) > ((int32_t)L_1))) { goto IL_0013; } } { int32_t L_2 = ___index; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_001e; } } IL_0013: { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_3, _stringLiteral100346066, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_001e: { int32_t L_4 = __this->get__length_1(); StringBuilder_InternalEnsureCapacity_m3925915998(__this, ((int32_t)((int32_t)L_4+(int32_t)1)), /*hidden argument*/NULL); String_t* L_5 = __this->get__str_2(); int32_t L_6 = ___index; String_t* L_7 = __this->get__str_2(); int32_t L_8 = ___index; int32_t L_9 = __this->get__length_1(); int32_t L_10 = ___index; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopyReverse_m1535680650(NULL /*static, unused*/, L_5, ((int32_t)((int32_t)L_6+(int32_t)1)), L_7, L_8, ((int32_t)((int32_t)L_9-(int32_t)L_10)), /*hidden argument*/NULL); String_t* L_11 = __this->get__str_2(); int32_t L_12 = ___index; uint16_t L_13 = ___value; NullCheck(L_11); String_InternalSetChar_m3191521125(L_11, L_12, L_13, /*hidden argument*/NULL); int32_t L_14 = __this->get__length_1(); __this->set__length_1(((int32_t)((int32_t)L_14+(int32_t)1))); return __this; } } // System.Text.StringBuilder System.Text.StringBuilder::Insert(System.Int32,System.String,System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t StringBuilder_Insert_m1606924164_MetadataUsageId; extern "C" StringBuilder_t3822575854 * StringBuilder_Insert_m1606924164 (StringBuilder_t3822575854 * __this, int32_t ___index, String_t* ___value, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_Insert_m1606924164_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { int32_t L_0 = ___count; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_000d; } } { ArgumentOutOfRangeException_t3479058991 * L_1 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m410800215(L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_000d: { String_t* L_2 = ___value; if (!L_2) { goto IL_003e; } } { String_t* L_3 = ___value; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_4 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); bool L_5 = String_op_Inequality_m2125462205(NULL /*static, unused*/, L_3, L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_003e; } } { V_0 = 0; goto IL_0037; } IL_002a: { int32_t L_6 = ___index; String_t* L_7 = ___value; StringBuilder_Insert_m745836595(__this, L_6, L_7, /*hidden argument*/NULL); int32_t L_8 = V_0; V_0 = ((int32_t)((int32_t)L_8+(int32_t)1)); } IL_0037: { int32_t L_9 = V_0; int32_t L_10 = ___count; if ((((int32_t)L_9) < ((int32_t)L_10))) { goto IL_002a; } } IL_003e: { return __this; } } // System.Void System.Text.StringBuilder::InternalEnsureCapacity(System.Int32) extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral3530753; extern Il2CppCodeGenString* _stringLiteral1983838978; extern const uint32_t StringBuilder_InternalEnsureCapacity_m3925915998_MetadataUsageId; extern "C" void StringBuilder_InternalEnsureCapacity_m3925915998 (StringBuilder_t3822575854 * __this, int32_t ___size, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (StringBuilder_InternalEnsureCapacity_m3925915998_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; String_t* V_1 = NULL; { int32_t L_0 = ___size; String_t* L_1 = __this->get__str_2(); NullCheck(L_1); int32_t L_2 = String_get_Length_m2979997331(L_1, /*hidden argument*/NULL); if ((((int32_t)L_0) > ((int32_t)L_2))) { goto IL_0022; } } { String_t* L_3 = __this->get__cached_str_3(); String_t* L_4 = __this->get__str_2(); if ((!(((Il2CppObject*)(String_t*)L_3) == ((Il2CppObject*)(String_t*)L_4)))) { goto IL_00df; } } IL_0022: { String_t* L_5 = __this->get__str_2(); NullCheck(L_5); int32_t L_6 = String_get_Length_m2979997331(L_5, /*hidden argument*/NULL); V_0 = L_6; int32_t L_7 = ___size; int32_t L_8 = V_0; if ((((int32_t)L_7) <= ((int32_t)L_8))) { goto IL_00b1; } } { String_t* L_9 = __this->get__cached_str_3(); String_t* L_10 = __this->get__str_2(); if ((!(((Il2CppObject*)(String_t*)L_9) == ((Il2CppObject*)(String_t*)L_10)))) { goto IL_0051; } } { int32_t L_11 = V_0; if ((((int32_t)L_11) >= ((int32_t)((int32_t)16)))) { goto IL_0051; } } { V_0 = ((int32_t)16); } IL_0051: { int32_t L_12 = V_0; V_0 = ((int32_t)((int32_t)L_12<<(int32_t)1)); int32_t L_13 = ___size; int32_t L_14 = V_0; if ((((int32_t)L_13) <= ((int32_t)L_14))) { goto IL_005e; } } { int32_t L_15 = ___size; V_0 = L_15; } IL_005e: { int32_t L_16 = V_0; if ((((int32_t)L_16) >= ((int32_t)((int32_t)2147483647LL)))) { goto IL_0070; } } { int32_t L_17 = V_0; if ((((int32_t)L_17) >= ((int32_t)0))) { goto IL_0076; } } IL_0070: { V_0 = ((int32_t)2147483647LL); } IL_0076: { int32_t L_18 = V_0; int32_t L_19 = __this->get__maxCapacity_4(); if ((((int32_t)L_18) <= ((int32_t)L_19))) { goto IL_0095; } } { int32_t L_20 = ___size; int32_t L_21 = __this->get__maxCapacity_4(); if ((((int32_t)L_20) > ((int32_t)L_21))) { goto IL_0095; } } { int32_t L_22 = __this->get__maxCapacity_4(); V_0 = L_22; } IL_0095: { int32_t L_23 = V_0; int32_t L_24 = __this->get__maxCapacity_4(); if ((((int32_t)L_23) <= ((int32_t)L_24))) { goto IL_00b1; } } { ArgumentOutOfRangeException_t3479058991 * L_25 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_25, _stringLiteral3530753, _stringLiteral1983838978, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_25); } IL_00b1: { int32_t L_26 = V_0; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_27 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_26, /*hidden argument*/NULL); V_1 = L_27; int32_t L_28 = __this->get__length_1(); if ((((int32_t)L_28) <= ((int32_t)0))) { goto IL_00d8; } } { String_t* L_29 = V_1; String_t* L_30 = __this->get__str_2(); int32_t L_31 = __this->get__length_1(); IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_CharCopy_m805553372(NULL /*static, unused*/, L_29, 0, L_30, 0, L_31, /*hidden argument*/NULL); } IL_00d8: { String_t* L_32 = V_1; __this->set__str_2(L_32); } IL_00df: { __this->set__cached_str_3((String_t*)NULL); return; } } // System.Void System.Text.UnicodeEncoding::.ctor() extern "C" void UnicodeEncoding__ctor_m2464846694 (UnicodeEncoding_t909387252 * __this, const MethodInfo* method) { { UnicodeEncoding__ctor_m628477824(__this, (bool)0, (bool)1, /*hidden argument*/NULL); __this->set_bigEndian_28((bool)0); __this->set_byteOrderMark_29((bool)1); return; } } // System.Void System.Text.UnicodeEncoding::.ctor(System.Boolean,System.Boolean) extern "C" void UnicodeEncoding__ctor_m628477824 (UnicodeEncoding_t909387252 * __this, bool ___bigEndian, bool ___byteOrderMark, const MethodInfo* method) { { bool L_0 = ___bigEndian; bool L_1 = ___byteOrderMark; UnicodeEncoding__ctor_m1753322493(__this, L_0, L_1, (bool)0, /*hidden argument*/NULL); return; } } // System.Void System.Text.UnicodeEncoding::.ctor(System.Boolean,System.Boolean,System.Boolean) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* DecoderExceptionFallback_t2347889489_il2cpp_TypeInfo_var; extern TypeInfo* DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral65533; extern Il2CppCodeGenString* _stringLiteral2690819548; extern Il2CppCodeGenString* _stringLiteral2763597628; extern Il2CppCodeGenString* _stringLiteral3459822603; extern Il2CppCodeGenString* _stringLiteral1377637053; extern const uint32_t UnicodeEncoding__ctor_m1753322493_MetadataUsageId; extern "C" void UnicodeEncoding__ctor_m1753322493 (UnicodeEncoding_t909387252 * __this, bool ___bigEndian, bool ___byteOrderMark, bool ___throwOnInvalidBytes, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding__ctor_m1753322493_MetadataUsageId); s_Il2CppMethodIntialized = true; } UnicodeEncoding_t909387252 * G_B2_0 = NULL; UnicodeEncoding_t909387252 * G_B1_0 = NULL; int32_t G_B3_0 = 0; UnicodeEncoding_t909387252 * G_B3_1 = NULL; { bool L_0 = ___bigEndian; G_B1_0 = __this; if (!L_0) { G_B2_0 = __this; goto IL_0011; } } { G_B3_0 = ((int32_t)1201); G_B3_1 = G_B1_0; goto IL_0016; } IL_0011: { G_B3_0 = ((int32_t)1200); G_B3_1 = G_B2_0; } IL_0016: { NullCheck(G_B3_1); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding__ctor_m1203666318(G_B3_1, G_B3_0, /*hidden argument*/NULL); bool L_1 = ___throwOnInvalidBytes; if (!L_1) { goto IL_0032; } } { DecoderExceptionFallback_t2347889489 * L_2 = (DecoderExceptionFallback_t2347889489 *)il2cpp_codegen_object_new(DecoderExceptionFallback_t2347889489_il2cpp_TypeInfo_var); DecoderExceptionFallback__ctor_m3484109795(L_2, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_SetFallbackInternal_m1712004450(__this, (EncoderFallback_t990837442 *)NULL, L_2, /*hidden argument*/NULL); goto IL_0043; } IL_0032: { DecoderReplacementFallback_t1303633684 * L_3 = (DecoderReplacementFallback_t1303633684 *)il2cpp_codegen_object_new(DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var); DecoderReplacementFallback__ctor_m1044232898(L_3, _stringLiteral65533, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_SetFallbackInternal_m1712004450(__this, (EncoderFallback_t990837442 *)NULL, L_3, /*hidden argument*/NULL); } IL_0043: { bool L_4 = ___bigEndian; __this->set_bigEndian_28(L_4); bool L_5 = ___byteOrderMark; __this->set_byteOrderMark_29(L_5); bool L_6 = ___bigEndian; if (!L_6) { goto IL_008f; } } { ((Encoding_t180559927 *)__this)->set_body_name_8(_stringLiteral2690819548); ((Encoding_t180559927 *)__this)->set_encoding_name_9(_stringLiteral2763597628); ((Encoding_t180559927 *)__this)->set_header_name_10(_stringLiteral2690819548); ((Encoding_t180559927 *)__this)->set_is_browser_save_13((bool)0); ((Encoding_t180559927 *)__this)->set_web_name_15(_stringLiteral2690819548); goto IL_00c2; } IL_008f: { ((Encoding_t180559927 *)__this)->set_body_name_8(_stringLiteral3459822603); ((Encoding_t180559927 *)__this)->set_encoding_name_9(_stringLiteral1377637053); ((Encoding_t180559927 *)__this)->set_header_name_10(_stringLiteral3459822603); ((Encoding_t180559927 *)__this)->set_is_browser_save_13((bool)1); ((Encoding_t180559927 *)__this)->set_web_name_15(_stringLiteral3459822603); } IL_00c2: { ((Encoding_t180559927 *)__this)->set_windows_code_page_1(((int32_t)1200)); return; } } // System.Int32 System.Text.UnicodeEncoding::GetByteCount(System.Char[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t UnicodeEncoding_GetByteCount_m1713744008_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetByteCount_m1713744008 (UnicodeEncoding_t909387252 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetByteCount_m1713744008_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; CharU5BU5D_t3416858730* L_4 = ___chars; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; CharU5BU5D_t3416858730* L_9 = ___chars; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { int32_t L_13 = ___count; return ((int32_t)((int32_t)L_13*(int32_t)2)); } } // System.Int32 System.Text.UnicodeEncoding::GetByteCount(System.String) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral115; extern const uint32_t UnicodeEncoding_GetByteCount_m3953856879_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetByteCount_m3953856879 (UnicodeEncoding_t909387252 * __this, String_t* ___s, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetByteCount_m3953856879_MetadataUsageId); s_Il2CppMethodIntialized = true; } { String_t* L_0 = ___s; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral115, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { String_t* L_2 = ___s; NullCheck(L_2); int32_t L_3 = String_get_Length_m2979997331(L_2, /*hidden argument*/NULL); return ((int32_t)((int32_t)L_3*(int32_t)2)); } } // System.Int32 System.Text.UnicodeEncoding::GetByteCount(System.Char*,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t UnicodeEncoding_GetByteCount_m2364391577_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetByteCount_m2364391577 (UnicodeEncoding_t909387252 * __this, uint16_t* ___chars, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetByteCount_m2364391577_MetadataUsageId); s_Il2CppMethodIntialized = true; } { uint16_t* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___count; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0023; } } { ArgumentOutOfRangeException_t3479058991 * L_3 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_3, _stringLiteral94851343, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___count; return ((int32_t)((int32_t)L_4*(int32_t)2)); } } // System.Int32 System.Text.UnicodeEncoding::GetBytes(System.Char[],System.Int32,System.Int32,System.Byte[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral2223324330; extern const uint32_t UnicodeEncoding_GetBytes_m1303521840_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetBytes_m1303521840 (UnicodeEncoding_t909387252 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetBytes_m1303521840_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint16_t* V_1 = NULL; uint8_t* V_2 = NULL; uintptr_t G_B21_0 = 0; uintptr_t G_B25_0 = 0; { CharU5BU5D_t3416858730* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___bytes; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___charIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0033; } } { int32_t L_5 = ___charIndex; CharU5BU5D_t3416858730* L_6 = ___chars; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0048; } } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral1542343452, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0048: { int32_t L_9 = ___charCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_005a; } } { int32_t L_10 = ___charCount; CharU5BU5D_t3416858730* L_11 = ___chars; NullCheck(L_11); int32_t L_12 = ___charIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006f; } } IL_005a: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral1536848729, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006f: { int32_t L_15 = ___byteIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0082; } } { int32_t L_16 = ___byteIndex; ByteU5BU5D_t58506160* L_17 = ___bytes; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0097; } } IL_0082: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral2223324330, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0097: { int32_t L_20 = ___charCount; if (L_20) { goto IL_009f; } } { return 0; } IL_009f: { ByteU5BU5D_t58506160* L_21 = ___bytes; NullCheck(L_21); int32_t L_22 = ___byteIndex; V_0 = ((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_21)->max_length))))-(int32_t)L_22)); ByteU5BU5D_t58506160* L_23 = ___bytes; NullCheck(L_23); if ((((int32_t)((int32_t)(((Il2CppArray *)L_23)->max_length))))) { goto IL_00b8; } } { ___bytes = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)1)); } IL_00b8: { CharU5BU5D_t3416858730* L_24 = ___chars; if (!L_24) { goto IL_00c6; } } { CharU5BU5D_t3416858730* L_25 = ___chars; NullCheck(L_25); if ((((int32_t)((int32_t)(((Il2CppArray *)L_25)->max_length))))) { goto IL_00cd; } } IL_00c6: { G_B21_0 = (((uintptr_t)0)); goto IL_00d4; } IL_00cd: { CharU5BU5D_t3416858730* L_26 = ___chars; NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, 0); G_B21_0 = ((uintptr_t)(((L_26)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_00d4: { V_1 = (uint16_t*)G_B21_0; ByteU5BU5D_t58506160* L_27 = ___bytes; if (!L_27) { goto IL_00e5; } } { ByteU5BU5D_t58506160* L_28 = ___bytes; NullCheck(L_28); if ((((int32_t)((int32_t)(((Il2CppArray *)L_28)->max_length))))) { goto IL_00ec; } } IL_00e5: { G_B25_0 = (((uintptr_t)0)); goto IL_00f4; } IL_00ec: { ByteU5BU5D_t58506160* L_29 = ___bytes; NullCheck(L_29); IL2CPP_ARRAY_BOUNDS_CHECK(L_29, 0); G_B25_0 = ((uintptr_t)(((L_29)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_00f4: { V_2 = (uint8_t*)G_B25_0; uint16_t* L_30 = V_1; int32_t L_31 = ___charIndex; int32_t L_32 = ___charCount; uint8_t* L_33 = V_2; int32_t L_34 = ___byteIndex; int32_t L_35 = V_0; int32_t L_36 = UnicodeEncoding_GetBytesInternal_m3215369228(__this, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_30+(int32_t)((int32_t)((int32_t)L_31*(int32_t)2)))), L_32, (uint8_t*)(uint8_t*)((uint8_t*)((intptr_t)L_33+(int32_t)L_34)), L_35, /*hidden argument*/NULL); return L_36; } } // System.Int32 System.Text.UnicodeEncoding::GetBytes(System.String,System.Int32,System.Int32,System.Byte[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral115; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral1151580041; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral1159514100; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral4008952993; extern const uint32_t UnicodeEncoding_GetBytes_m877800521_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetBytes_m877800521 (UnicodeEncoding_t909387252 * __this, String_t* ___s, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetBytes_m877800521_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint16_t* V_1 = NULL; uint8_t* V_2 = NULL; String_t* V_3 = NULL; uintptr_t G_B21_0 = 0; { String_t* L_0 = ___s; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral115, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___bytes; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___charIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0036; } } { int32_t L_5 = ___charIndex; String_t* L_6 = ___s; NullCheck(L_6); int32_t L_7 = String_get_Length_m2979997331(L_6, /*hidden argument*/NULL); if ((((int32_t)L_5) <= ((int32_t)L_7))) { goto IL_004b; } } IL_0036: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_8 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1151580041, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_9 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_9, _stringLiteral1542343452, L_8, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_9); } IL_004b: { int32_t L_10 = ___charCount; if ((((int32_t)L_10) < ((int32_t)0))) { goto IL_0060; } } { int32_t L_11 = ___charCount; String_t* L_12 = ___s; NullCheck(L_12); int32_t L_13 = String_get_Length_m2979997331(L_12, /*hidden argument*/NULL); int32_t L_14 = ___charIndex; if ((((int32_t)L_11) <= ((int32_t)((int32_t)((int32_t)L_13-(int32_t)L_14))))) { goto IL_0075; } } IL_0060: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_15 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1159514100, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_16 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_16, _stringLiteral1536848729, L_15, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_16); } IL_0075: { int32_t L_17 = ___byteIndex; if ((((int32_t)L_17) < ((int32_t)0))) { goto IL_0088; } } { int32_t L_18 = ___byteIndex; ByteU5BU5D_t58506160* L_19 = ___bytes; NullCheck(L_19); if ((((int32_t)L_18) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_19)->max_length))))))) { goto IL_009d; } } IL_0088: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_20 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_21 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_21, _stringLiteral2223324330, L_20, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_21); } IL_009d: { int32_t L_22 = ___charCount; if (L_22) { goto IL_00a5; } } { return 0; } IL_00a5: { ByteU5BU5D_t58506160* L_23 = ___bytes; NullCheck(L_23); int32_t L_24 = ___byteIndex; V_0 = ((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_23)->max_length))))-(int32_t)L_24)); ByteU5BU5D_t58506160* L_25 = ___bytes; NullCheck(L_25); if ((((int32_t)((int32_t)(((Il2CppArray *)L_25)->max_length))))) { goto IL_00be; } } { ___bytes = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)1)); } IL_00be: { String_t* L_26 = ___s; V_3 = L_26; String_t* L_27 = V_3; int32_t L_28 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_1 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_27))+(int32_t)L_28)); ByteU5BU5D_t58506160* L_29 = ___bytes; if (!L_29) { goto IL_00d9; } } { ByteU5BU5D_t58506160* L_30 = ___bytes; NullCheck(L_30); if ((((int32_t)((int32_t)(((Il2CppArray *)L_30)->max_length))))) { goto IL_00e0; } } IL_00d9: { G_B21_0 = (((uintptr_t)0)); goto IL_00e8; } IL_00e0: { ByteU5BU5D_t58506160* L_31 = ___bytes; NullCheck(L_31); IL2CPP_ARRAY_BOUNDS_CHECK(L_31, 0); G_B21_0 = ((uintptr_t)(((L_31)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_00e8: { V_2 = (uint8_t*)G_B21_0; uint16_t* L_32 = V_1; int32_t L_33 = ___charIndex; int32_t L_34 = ___charCount; uint8_t* L_35 = V_2; int32_t L_36 = ___byteIndex; int32_t L_37 = V_0; int32_t L_38 = UnicodeEncoding_GetBytesInternal_m3215369228(__this, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_32+(int32_t)((int32_t)((int32_t)L_33*(int32_t)2)))), L_34, (uint8_t*)(uint8_t*)((uint8_t*)((intptr_t)L_35+(int32_t)L_36)), L_37, /*hidden argument*/NULL); return L_38; } } // System.Int32 System.Text.UnicodeEncoding::GetBytes(System.Char*,System.Int32,System.Byte*,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral2217829607; extern const uint32_t UnicodeEncoding_GetBytes_m1942137033_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetBytes_m1942137033 (UnicodeEncoding_t909387252 * __this, uint16_t* ___chars, int32_t ___charCount, uint8_t* ___bytes, int32_t ___byteCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetBytes_m1942137033_MetadataUsageId); s_Il2CppMethodIntialized = true; } { uint8_t* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { uint16_t* L_2 = ___chars; if (L_2) { goto IL_0022; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0022: { int32_t L_4 = ___charCount; if ((((int32_t)L_4) >= ((int32_t)0))) { goto IL_0034; } } { ArgumentOutOfRangeException_t3479058991 * L_5 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_5, _stringLiteral1536848729, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_5); } IL_0034: { int32_t L_6 = ___byteCount; if ((((int32_t)L_6) >= ((int32_t)0))) { goto IL_0047; } } { ArgumentOutOfRangeException_t3479058991 * L_7 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m2026296331(L_7, _stringLiteral2217829607, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7); } IL_0047: { uint16_t* L_8 = ___chars; int32_t L_9 = ___charCount; uint8_t* L_10 = ___bytes; int32_t L_11 = ___byteCount; int32_t L_12 = UnicodeEncoding_GetBytesInternal_m3215369228(__this, (uint16_t*)(uint16_t*)L_8, L_9, (uint8_t*)(uint8_t*)L_10, L_11, /*hidden argument*/NULL); return L_12; } } // System.Int32 System.Text.UnicodeEncoding::GetBytesInternal(System.Char*,System.Int32,System.Byte*,System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t UnicodeEncoding_GetBytesInternal_m3215369228_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetBytesInternal_m3215369228 (UnicodeEncoding_t909387252 * __this, uint16_t* ___chars, int32_t ___charCount, uint8_t* ___bytes, int32_t ___byteCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetBytesInternal_m3215369228_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { int32_t L_0 = ___charCount; V_0 = ((int32_t)((int32_t)L_0*(int32_t)2)); int32_t L_1 = ___byteCount; int32_t L_2 = V_0; if ((((int32_t)L_1) >= ((int32_t)L_2))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_3 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_4 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_001c: { uint16_t* L_5 = ___chars; uint8_t* L_6 = ___bytes; int32_t L_7 = V_0; bool L_8 = __this->get_bigEndian_28(); UnicodeEncoding_CopyChars_m137508992(NULL /*static, unused*/, (uint8_t*)(uint8_t*)L_5, (uint8_t*)(uint8_t*)L_6, L_7, L_8, /*hidden argument*/NULL); int32_t L_9 = V_0; return L_9; } } // System.Int32 System.Text.UnicodeEncoding::GetCharCount(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t UnicodeEncoding_GetCharCount_m515156452_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetCharCount_m515156452 (UnicodeEncoding_t909387252 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetCharCount_m515156452_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; ByteU5BU5D_t58506160* L_4 = ___bytes; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; ByteU5BU5D_t58506160* L_9 = ___bytes; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { int32_t L_13 = ___count; return ((int32_t)((int32_t)L_13/(int32_t)2)); } } // System.Int32 System.Text.UnicodeEncoding::GetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* CharU5BU5D_t3416858730_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1542343452; extern const uint32_t UnicodeEncoding_GetChars_m3643772578_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetChars_m3643772578 (UnicodeEncoding_t909387252 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, int32_t ___byteCount, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetChars_m3643772578_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint8_t* V_1 = NULL; uint16_t* V_2 = NULL; uintptr_t G_B21_0 = 0; uintptr_t G_B25_0 = 0; { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { CharU5BU5D_t3416858730* L_2 = ___chars; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___byteIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0033; } } { int32_t L_5 = ___byteIndex; ByteU5BU5D_t58506160* L_6 = ___bytes; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0048; } } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral2223324330, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0048: { int32_t L_9 = ___byteCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_005a; } } { int32_t L_10 = ___byteCount; ByteU5BU5D_t58506160* L_11 = ___bytes; NullCheck(L_11); int32_t L_12 = ___byteIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006f; } } IL_005a: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral2217829607, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006f: { int32_t L_15 = ___charIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0082; } } { int32_t L_16 = ___charIndex; CharU5BU5D_t3416858730* L_17 = ___chars; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0097; } } IL_0082: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral1542343452, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0097: { int32_t L_20 = ___byteCount; if (L_20) { goto IL_009f; } } { return 0; } IL_009f: { CharU5BU5D_t3416858730* L_21 = ___chars; NullCheck(L_21); int32_t L_22 = ___charIndex; V_0 = ((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_21)->max_length))))-(int32_t)L_22)); CharU5BU5D_t3416858730* L_23 = ___chars; NullCheck(L_23); if ((((int32_t)((int32_t)(((Il2CppArray *)L_23)->max_length))))) { goto IL_00b8; } } { ___chars = ((CharU5BU5D_t3416858730*)SZArrayNew(CharU5BU5D_t3416858730_il2cpp_TypeInfo_var, (uint32_t)1)); } IL_00b8: { ByteU5BU5D_t58506160* L_24 = ___bytes; if (!L_24) { goto IL_00c6; } } { ByteU5BU5D_t58506160* L_25 = ___bytes; NullCheck(L_25); if ((((int32_t)((int32_t)(((Il2CppArray *)L_25)->max_length))))) { goto IL_00cd; } } IL_00c6: { G_B21_0 = (((uintptr_t)0)); goto IL_00d4; } IL_00cd: { ByteU5BU5D_t58506160* L_26 = ___bytes; NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, 0); G_B21_0 = ((uintptr_t)(((L_26)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_00d4: { V_1 = (uint8_t*)G_B21_0; CharU5BU5D_t3416858730* L_27 = ___chars; if (!L_27) { goto IL_00e5; } } { CharU5BU5D_t3416858730* L_28 = ___chars; NullCheck(L_28); if ((((int32_t)((int32_t)(((Il2CppArray *)L_28)->max_length))))) { goto IL_00ec; } } IL_00e5: { G_B25_0 = (((uintptr_t)0)); goto IL_00f4; } IL_00ec: { CharU5BU5D_t3416858730* L_29 = ___chars; NullCheck(L_29); IL2CPP_ARRAY_BOUNDS_CHECK(L_29, 0); G_B25_0 = ((uintptr_t)(((L_29)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_00f4: { V_2 = (uint16_t*)G_B25_0; uint8_t* L_30 = V_1; int32_t L_31 = ___byteIndex; int32_t L_32 = ___byteCount; uint16_t* L_33 = V_2; int32_t L_34 = ___charIndex; int32_t L_35 = V_0; int32_t L_36 = UnicodeEncoding_GetCharsInternal_m801541210(__this, (uint8_t*)(uint8_t*)((uint8_t*)((intptr_t)L_30+(int32_t)L_31)), L_32, (uint16_t*)(uint16_t*)((uint16_t*)((intptr_t)L_33+(int32_t)((int32_t)((int32_t)L_34*(int32_t)2)))), L_35, /*hidden argument*/NULL); return L_36; } } // System.String System.Text.UnicodeEncoding::GetString(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t UnicodeEncoding_GetString_m254667515_MetadataUsageId; extern "C" String_t* UnicodeEncoding_GetString_m254667515 (UnicodeEncoding_t909387252 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetString_m254667515_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; String_t* V_1 = NULL; uint8_t* V_2 = NULL; uint16_t* V_3 = NULL; String_t* V_4 = NULL; uintptr_t G_B14_0 = 0; { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; ByteU5BU5D_t58506160* L_4 = ___bytes; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; ByteU5BU5D_t58506160* L_9 = ___bytes; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { int32_t L_13 = ___count; if (L_13) { goto IL_0069; } } { IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_14 = ((String_t_StaticFields*)String_t_il2cpp_TypeInfo_var->static_fields)->get_Empty_2(); return L_14; } IL_0069: { int32_t L_15 = ___count; V_0 = ((int32_t)((int32_t)L_15/(int32_t)2)); int32_t L_16 = V_0; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_t* L_17 = String_InternalAllocateStr_m4108479373(NULL /*static, unused*/, L_16, /*hidden argument*/NULL); V_1 = L_17; ByteU5BU5D_t58506160* L_18 = ___bytes; if (!L_18) { goto IL_0082; } } { ByteU5BU5D_t58506160* L_19 = ___bytes; NullCheck(L_19); if ((((int32_t)((int32_t)(((Il2CppArray *)L_19)->max_length))))) { goto IL_0089; } } IL_0082: { G_B14_0 = (((uintptr_t)0)); goto IL_0090; } IL_0089: { ByteU5BU5D_t58506160* L_20 = ___bytes; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, 0); G_B14_0 = ((uintptr_t)(((L_20)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_0090: { V_2 = (uint8_t*)G_B14_0; String_t* L_21 = V_1; V_4 = L_21; String_t* L_22 = V_4; int32_t L_23 = RuntimeHelpers_get_OffsetToStringData_m2708084937(NULL /*static, unused*/, /*hidden argument*/NULL); V_3 = (uint16_t*)((intptr_t)((intptr_t)(((intptr_t)L_22))+(int32_t)L_23)); uint8_t* L_24 = V_2; int32_t L_25 = ___index; int32_t L_26 = ___count; uint16_t* L_27 = V_3; int32_t L_28 = V_0; UnicodeEncoding_GetCharsInternal_m801541210(__this, (uint8_t*)(uint8_t*)((uint8_t*)((intptr_t)L_24+(int32_t)L_25)), L_26, (uint16_t*)(uint16_t*)L_27, L_28, /*hidden argument*/NULL); V_4 = (String_t*)NULL; V_2 = (uint8_t*)(((uintptr_t)0)); String_t* L_29 = V_1; return L_29; } } // System.Int32 System.Text.UnicodeEncoding::GetCharsInternal(System.Byte*,System.Int32,System.Char*,System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t UnicodeEncoding_GetCharsInternal_m801541210_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetCharsInternal_m801541210 (UnicodeEncoding_t909387252 * __this, uint8_t* ___bytes, int32_t ___byteCount, uint16_t* ___chars, int32_t ___charCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetCharsInternal_m801541210_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { int32_t L_0 = ___byteCount; V_0 = ((int32_t)((int32_t)L_0/(int32_t)2)); int32_t L_1 = ___charCount; int32_t L_2 = V_0; if ((((int32_t)L_1) >= ((int32_t)L_2))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_3 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_4 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_4, L_3, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4); } IL_001c: { uint8_t* L_5 = ___bytes; uint16_t* L_6 = ___chars; int32_t L_7 = ___byteCount; bool L_8 = __this->get_bigEndian_28(); UnicodeEncoding_CopyChars_m137508992(NULL /*static, unused*/, (uint8_t*)(uint8_t*)L_5, (uint8_t*)(uint8_t*)L_6, L_7, L_8, /*hidden argument*/NULL); int32_t L_9 = V_0; return L_9; } } // System.Int32 System.Text.UnicodeEncoding::GetMaxByteCount(System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral1982364266; extern const uint32_t UnicodeEncoding_GetMaxByteCount_m2171016138_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetMaxByteCount_m2171016138 (UnicodeEncoding_t909387252 * __this, int32_t ___charCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetMaxByteCount_m2171016138_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___charCount; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_1 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1982364266, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral1536848729, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { int32_t L_3 = ___charCount; return ((int32_t)((int32_t)L_3*(int32_t)2)); } } // System.Int32 System.Text.UnicodeEncoding::GetMaxCharCount(System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1982364266; extern const uint32_t UnicodeEncoding_GetMaxCharCount_m2962551484_MetadataUsageId; extern "C" int32_t UnicodeEncoding_GetMaxCharCount_m2962551484 (UnicodeEncoding_t909387252 * __this, int32_t ___byteCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetMaxCharCount_m2962551484_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___byteCount; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_1 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1982364266, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral2217829607, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { int32_t L_3 = ___byteCount; return ((int32_t)((int32_t)L_3/(int32_t)2)); } } // System.Text.Decoder System.Text.UnicodeEncoding::GetDecoder() extern TypeInfo* UnicodeDecoder_t3369145031_il2cpp_TypeInfo_var; extern const uint32_t UnicodeEncoding_GetDecoder_m3461174523_MetadataUsageId; extern "C" Decoder_t1611780840 * UnicodeEncoding_GetDecoder_m3461174523 (UnicodeEncoding_t909387252 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetDecoder_m3461174523_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = __this->get_bigEndian_28(); UnicodeDecoder_t3369145031 * L_1 = (UnicodeDecoder_t3369145031 *)il2cpp_codegen_object_new(UnicodeDecoder_t3369145031_il2cpp_TypeInfo_var); UnicodeDecoder__ctor_m1607892801(L_1, L_0, /*hidden argument*/NULL); return L_1; } } // System.Byte[] System.Text.UnicodeEncoding::GetPreamble() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t UnicodeEncoding_GetPreamble_m2255522896_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* UnicodeEncoding_GetPreamble_m2255522896 (UnicodeEncoding_t909387252 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_GetPreamble_m2255522896_MetadataUsageId); s_Il2CppMethodIntialized = true; } ByteU5BU5D_t58506160* V_0 = NULL; { bool L_0 = __this->get_byteOrderMark_29(); if (!L_0) { goto IL_0044; } } { V_0 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)2)); bool L_1 = __this->get_bigEndian_28(); if (!L_1) { goto IL_0032; } } { ByteU5BU5D_t58506160* L_2 = V_0; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 0); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint8_t)((int32_t)254)); ByteU5BU5D_t58506160* L_3 = V_0; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 1); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint8_t)((int32_t)255)); goto IL_0042; } IL_0032: { ByteU5BU5D_t58506160* L_4 = V_0; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 0); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint8_t)((int32_t)255)); ByteU5BU5D_t58506160* L_5 = V_0; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, 1); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint8_t)((int32_t)254)); } IL_0042: { ByteU5BU5D_t58506160* L_6 = V_0; return L_6; } IL_0044: { return ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)0)); } } // System.Boolean System.Text.UnicodeEncoding::Equals(System.Object) extern TypeInfo* UnicodeEncoding_t909387252_il2cpp_TypeInfo_var; extern const uint32_t UnicodeEncoding_Equals_m258981209_MetadataUsageId; extern "C" bool UnicodeEncoding_Equals_m258981209 (UnicodeEncoding_t909387252 * __this, Il2CppObject * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_Equals_m258981209_MetadataUsageId); s_Il2CppMethodIntialized = true; } UnicodeEncoding_t909387252 * V_0 = NULL; int32_t G_B5_0 = 0; { Il2CppObject * L_0 = ___value; V_0 = ((UnicodeEncoding_t909387252 *)IsInstClass(L_0, UnicodeEncoding_t909387252_il2cpp_TypeInfo_var)); UnicodeEncoding_t909387252 * L_1 = V_0; if (!L_1) { goto IL_0041; } } { int32_t L_2 = ((Encoding_t180559927 *)__this)->get_codePage_0(); UnicodeEncoding_t909387252 * L_3 = V_0; NullCheck(L_3); int32_t L_4 = ((Encoding_t180559927 *)L_3)->get_codePage_0(); if ((!(((uint32_t)L_2) == ((uint32_t)L_4)))) { goto IL_003f; } } { bool L_5 = __this->get_bigEndian_28(); UnicodeEncoding_t909387252 * L_6 = V_0; NullCheck(L_6); bool L_7 = L_6->get_bigEndian_28(); if ((!(((uint32_t)L_5) == ((uint32_t)L_7)))) { goto IL_003f; } } { bool L_8 = __this->get_byteOrderMark_29(); UnicodeEncoding_t909387252 * L_9 = V_0; NullCheck(L_9); bool L_10 = L_9->get_byteOrderMark_29(); G_B5_0 = ((((int32_t)L_8) == ((int32_t)L_10))? 1 : 0); goto IL_0040; } IL_003f: { G_B5_0 = 0; } IL_0040: { return (bool)G_B5_0; } IL_0041: { return (bool)0; } } // System.Int32 System.Text.UnicodeEncoding::GetHashCode() extern "C" int32_t UnicodeEncoding_GetHashCode_m2705427633 (UnicodeEncoding_t909387252 * __this, const MethodInfo* method) { { int32_t L_0 = Encoding_GetHashCode_m2437082384(__this, /*hidden argument*/NULL); return L_0; } } // System.Void System.Text.UnicodeEncoding::CopyChars(System.Byte*,System.Byte*,System.Int32,System.Boolean) extern TypeInfo* BitConverter_t3338308296_il2cpp_TypeInfo_var; extern TypeInfo* String_t_il2cpp_TypeInfo_var; extern const uint32_t UnicodeEncoding_CopyChars_m137508992_MetadataUsageId; extern "C" void UnicodeEncoding_CopyChars_m137508992 (Il2CppObject * __this /* static, unused */, uint8_t* ___src, uint8_t* ___dest, int32_t ___count, bool ___bigEndian, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeEncoding_CopyChars_m137508992_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { IL2CPP_RUNTIME_CLASS_INIT(BitConverter_t3338308296_il2cpp_TypeInfo_var); bool L_0 = ((BitConverter_t3338308296_StaticFields*)BitConverter_t3338308296_il2cpp_TypeInfo_var->static_fields)->get_IsLittleEndian_1(); bool L_1 = ___bigEndian; if ((((int32_t)L_0) == ((int32_t)L_1))) { goto IL_0017; } } { uint8_t* L_2 = ___dest; uint8_t* L_3 = ___src; int32_t L_4 = ___count; IL2CPP_RUNTIME_CLASS_INIT(String_t_il2cpp_TypeInfo_var); String_memcpy_m3785779208(NULL /*static, unused*/, (uint8_t*)(uint8_t*)L_2, (uint8_t*)(uint8_t*)L_3, ((int32_t)((int32_t)L_4&(int32_t)((int32_t)-2))), /*hidden argument*/NULL); return; } IL_0017: { int32_t L_5 = ___count; V_0 = L_5; int32_t L_6 = V_0; if (L_6 == 0) { goto IL_0064; } if (L_6 == 1) { goto IL_0065; } if (L_6 == 2) { goto IL_0066; } if (L_6 == 3) { goto IL_006b; } if (L_6 == 4) { goto IL_0070; } if (L_6 == 5) { goto IL_0075; } if (L_6 == 6) { goto IL_007a; } if (L_6 == 7) { goto IL_007f; } if (L_6 == 8) { goto IL_0084; } if (L_6 == 9) { goto IL_0089; } if (L_6 == 10) { goto IL_008e; } if (L_6 == 11) { goto IL_0093; } if (L_6 == 12) { goto IL_0098; } if (L_6 == 13) { goto IL_009d; } if (L_6 == 14) { goto IL_00a2; } if (L_6 == 15) { goto IL_00a7; } } { goto IL_00ac; } IL_0064: { return; } IL_0065: { return; } IL_0066: { goto IL_0220; } IL_006b: { goto IL_0220; } IL_0070: { goto IL_01f1; } IL_0075: { goto IL_01f1; } IL_007a: { goto IL_01f1; } IL_007f: { goto IL_01f1; } IL_0084: { goto IL_019e; } IL_0089: { goto IL_019e; } IL_008e: { goto IL_019e; } IL_0093: { goto IL_019e; } IL_0098: { goto IL_019e; } IL_009d: { goto IL_019e; } IL_00a2: { goto IL_019e; } IL_00a7: { goto IL_019e; } IL_00ac: { uint8_t* L_7 = ___dest; uint8_t* L_8 = ___src; *((int8_t*)(L_7)) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_8+(int32_t)1)))); uint8_t* L_9 = ___dest; uint8_t* L_10 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_9+(int32_t)1)))) = (int8_t)(*((uint8_t*)L_10)); uint8_t* L_11 = ___dest; uint8_t* L_12 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_11+(int32_t)2)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_12+(int32_t)3)))); uint8_t* L_13 = ___dest; uint8_t* L_14 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_13+(int32_t)3)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_14+(int32_t)2)))); uint8_t* L_15 = ___dest; uint8_t* L_16 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_15+(int32_t)4)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_16+(int32_t)5)))); uint8_t* L_17 = ___dest; uint8_t* L_18 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_17+(int32_t)5)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_18+(int32_t)4)))); uint8_t* L_19 = ___dest; uint8_t* L_20 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_19+(int32_t)6)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_20+(int32_t)7)))); uint8_t* L_21 = ___dest; uint8_t* L_22 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_21+(int32_t)7)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_22+(int32_t)6)))); uint8_t* L_23 = ___dest; uint8_t* L_24 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_23+(int32_t)8)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_24+(int32_t)((int32_t)9))))); uint8_t* L_25 = ___dest; uint8_t* L_26 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_25+(int32_t)((int32_t)9))))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_26+(int32_t)8)))); uint8_t* L_27 = ___dest; uint8_t* L_28 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_27+(int32_t)((int32_t)10))))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_28+(int32_t)((int32_t)11))))); uint8_t* L_29 = ___dest; uint8_t* L_30 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_29+(int32_t)((int32_t)11))))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_30+(int32_t)((int32_t)10))))); uint8_t* L_31 = ___dest; uint8_t* L_32 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_31+(int32_t)((int32_t)12))))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_32+(int32_t)((int32_t)13))))); uint8_t* L_33 = ___dest; uint8_t* L_34 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_33+(int32_t)((int32_t)13))))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_34+(int32_t)((int32_t)12))))); uint8_t* L_35 = ___dest; uint8_t* L_36 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_35+(int32_t)((int32_t)14))))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_36+(int32_t)((int32_t)15))))); uint8_t* L_37 = ___dest; uint8_t* L_38 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_37+(int32_t)((int32_t)15))))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_38+(int32_t)((int32_t)14))))); uint8_t* L_39 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_39+(int32_t)((int32_t)16))); uint8_t* L_40 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_40+(int32_t)((int32_t)16))); int32_t L_41 = ___count; ___count = ((int32_t)((int32_t)L_41-(int32_t)((int32_t)16))); int32_t L_42 = ___count; if (((int32_t)((int32_t)L_42&(int32_t)((int32_t)-16)))) { goto IL_00ac; } } { int32_t L_43 = ___count; V_0 = L_43; int32_t L_44 = V_0; if (L_44 == 0) { goto IL_017e; } if (L_44 == 1) { goto IL_017f; } if (L_44 == 2) { goto IL_0180; } if (L_44 == 3) { goto IL_0185; } if (L_44 == 4) { goto IL_018a; } if (L_44 == 5) { goto IL_018f; } if (L_44 == 6) { goto IL_0194; } if (L_44 == 7) { goto IL_0199; } } { goto IL_019e; } IL_017e: { return; } IL_017f: { return; } IL_0180: { goto IL_0220; } IL_0185: { goto IL_0220; } IL_018a: { goto IL_01f1; } IL_018f: { goto IL_01f1; } IL_0194: { goto IL_01f1; } IL_0199: { goto IL_01f1; } IL_019e: { uint8_t* L_45 = ___dest; uint8_t* L_46 = ___src; *((int8_t*)(L_45)) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_46+(int32_t)1)))); uint8_t* L_47 = ___dest; uint8_t* L_48 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_47+(int32_t)1)))) = (int8_t)(*((uint8_t*)L_48)); uint8_t* L_49 = ___dest; uint8_t* L_50 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_49+(int32_t)2)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_50+(int32_t)3)))); uint8_t* L_51 = ___dest; uint8_t* L_52 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_51+(int32_t)3)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_52+(int32_t)2)))); uint8_t* L_53 = ___dest; uint8_t* L_54 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_53+(int32_t)4)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_54+(int32_t)5)))); uint8_t* L_55 = ___dest; uint8_t* L_56 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_55+(int32_t)5)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_56+(int32_t)4)))); uint8_t* L_57 = ___dest; uint8_t* L_58 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_57+(int32_t)6)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_58+(int32_t)7)))); uint8_t* L_59 = ___dest; uint8_t* L_60 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_59+(int32_t)7)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_60+(int32_t)6)))); uint8_t* L_61 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_61+(int32_t)8)); uint8_t* L_62 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_62+(int32_t)8)); int32_t L_63 = ___count; if (((int32_t)((int32_t)L_63&(int32_t)4))) { goto IL_01f1; } } { goto IL_0217; } IL_01f1: { uint8_t* L_64 = ___dest; uint8_t* L_65 = ___src; *((int8_t*)(L_64)) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_65+(int32_t)1)))); uint8_t* L_66 = ___dest; uint8_t* L_67 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_66+(int32_t)1)))) = (int8_t)(*((uint8_t*)L_67)); uint8_t* L_68 = ___dest; uint8_t* L_69 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_68+(int32_t)2)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_69+(int32_t)3)))); uint8_t* L_70 = ___dest; uint8_t* L_71 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_70+(int32_t)3)))) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_71+(int32_t)2)))); uint8_t* L_72 = ___dest; ___dest = (uint8_t*)((uint8_t*)((intptr_t)L_72+(int32_t)4)); uint8_t* L_73 = ___src; ___src = (uint8_t*)((uint8_t*)((intptr_t)L_73+(int32_t)4)); } IL_0217: { int32_t L_74 = ___count; if (((int32_t)((int32_t)L_74&(int32_t)2))) { goto IL_0220; } } { return; } IL_0220: { uint8_t* L_75 = ___dest; uint8_t* L_76 = ___src; *((int8_t*)(L_75)) = (int8_t)(*((uint8_t*)((uint8_t*)((intptr_t)L_76+(int32_t)1)))); uint8_t* L_77 = ___dest; uint8_t* L_78 = ___src; *((int8_t*)(((uint8_t*)((intptr_t)L_77+(int32_t)1)))) = (int8_t)(*((uint8_t*)L_78)); return; } } // System.Void System.Text.UnicodeEncoding/UnicodeDecoder::.ctor(System.Boolean) extern "C" void UnicodeDecoder__ctor_m1607892801 (UnicodeDecoder_t3369145031 * __this, bool ___bigEndian, const MethodInfo* method) { { Decoder__ctor_m1448672242(__this, /*hidden argument*/NULL); bool L_0 = ___bigEndian; __this->set_bigEndian_2(L_0); __this->set_leftOverByte_3((-1)); return; } } // System.Int32 System.Text.UnicodeEncoding/UnicodeDecoder::GetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t UnicodeDecoder_GetChars_m4249510390_MetadataUsageId; extern "C" int32_t UnicodeDecoder_GetChars_m4249510390 (UnicodeDecoder_t3369145031 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, int32_t ___byteCount, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UnicodeDecoder_GetChars_m4249510390_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; uint8_t* V_2 = NULL; uint16_t* V_3 = NULL; uintptr_t G_B30_0 = 0; uintptr_t G_B34_0 = 0; { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { CharU5BU5D_t3416858730* L_2 = ___chars; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___byteIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0033; } } { int32_t L_5 = ___byteIndex; ByteU5BU5D_t58506160* L_6 = ___bytes; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0048; } } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral2223324330, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0048: { int32_t L_9 = ___byteCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_005a; } } { int32_t L_10 = ___byteCount; ByteU5BU5D_t58506160* L_11 = ___bytes; NullCheck(L_11); int32_t L_12 = ___byteIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006f; } } IL_005a: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral2217829607, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006f: { int32_t L_15 = ___charIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0082; } } { int32_t L_16 = ___charIndex; CharU5BU5D_t3416858730* L_17 = ___chars; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0097; } } IL_0082: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral1542343452, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0097: { int32_t L_20 = ___byteCount; if (L_20) { goto IL_009f; } } { return 0; } IL_009f: { int32_t L_21 = __this->get_leftOverByte_3(); V_0 = L_21; int32_t L_22 = V_0; if ((((int32_t)L_22) == ((int32_t)(-1)))) { goto IL_00b8; } } { int32_t L_23 = ___byteCount; V_1 = ((int32_t)((int32_t)((int32_t)((int32_t)L_23+(int32_t)1))/(int32_t)2)); goto IL_00bc; } IL_00b8: { int32_t L_24 = ___byteCount; V_1 = ((int32_t)((int32_t)L_24/(int32_t)2)); } IL_00bc: { CharU5BU5D_t3416858730* L_25 = ___chars; NullCheck(L_25); int32_t L_26 = ___charIndex; int32_t L_27 = V_1; if ((((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_25)->max_length))))-(int32_t)L_26))) >= ((int32_t)L_27))) { goto IL_00d9; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_28 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_29 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_29, L_28, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_29); } IL_00d9: { int32_t L_30 = V_0; if ((((int32_t)L_30) == ((int32_t)(-1)))) { goto IL_011a; } } { bool L_31 = __this->get_bigEndian_2(); if (!L_31) { goto IL_00fd; } } { CharU5BU5D_t3416858730* L_32 = ___chars; int32_t L_33 = ___charIndex; int32_t L_34 = V_0; ByteU5BU5D_t58506160* L_35 = ___bytes; int32_t L_36 = ___byteIndex; NullCheck(L_35); IL2CPP_ARRAY_BOUNDS_CHECK(L_35, L_36); int32_t L_37 = L_36; NullCheck(L_32); IL2CPP_ARRAY_BOUNDS_CHECK(L_32, L_33); (L_32)->SetAt(static_cast<il2cpp_array_size_t>(L_33), (uint16_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)L_34<<(int32_t)8))|(int32_t)((L_35)->GetAt(static_cast<il2cpp_array_size_t>(L_37))))))))); goto IL_010a; } IL_00fd: { CharU5BU5D_t3416858730* L_38 = ___chars; int32_t L_39 = ___charIndex; ByteU5BU5D_t58506160* L_40 = ___bytes; int32_t L_41 = ___byteIndex; NullCheck(L_40); IL2CPP_ARRAY_BOUNDS_CHECK(L_40, L_41); int32_t L_42 = L_41; int32_t L_43 = V_0; NullCheck(L_38); IL2CPP_ARRAY_BOUNDS_CHECK(L_38, L_39); (L_38)->SetAt(static_cast<il2cpp_array_size_t>(L_39), (uint16_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_40)->GetAt(static_cast<il2cpp_array_size_t>(L_42)))<<(int32_t)8))|(int32_t)L_43)))))); } IL_010a: { int32_t L_44 = ___charIndex; ___charIndex = ((int32_t)((int32_t)L_44+(int32_t)1)); int32_t L_45 = ___byteIndex; ___byteIndex = ((int32_t)((int32_t)L_45+(int32_t)1)); int32_t L_46 = ___byteCount; ___byteCount = ((int32_t)((int32_t)L_46-(int32_t)1)); } IL_011a: { int32_t L_47 = ___byteCount; if (!((int32_t)((int32_t)L_47&(int32_t)((int32_t)-2)))) { goto IL_017b; } } { ByteU5BU5D_t58506160* L_48 = ___bytes; if (!L_48) { goto IL_0131; } } { ByteU5BU5D_t58506160* L_49 = ___bytes; NullCheck(L_49); if ((((int32_t)((int32_t)(((Il2CppArray *)L_49)->max_length))))) { goto IL_0138; } } IL_0131: { G_B30_0 = (((uintptr_t)0)); goto IL_013f; } IL_0138: { ByteU5BU5D_t58506160* L_50 = ___bytes; NullCheck(L_50); IL2CPP_ARRAY_BOUNDS_CHECK(L_50, 0); G_B30_0 = ((uintptr_t)(((L_50)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_013f: { V_2 = (uint8_t*)G_B30_0; CharU5BU5D_t3416858730* L_51 = ___chars; if (!L_51) { goto IL_0150; } } { CharU5BU5D_t3416858730* L_52 = ___chars; NullCheck(L_52); if ((((int32_t)((int32_t)(((Il2CppArray *)L_52)->max_length))))) { goto IL_0157; } } IL_0150: { G_B34_0 = (((uintptr_t)0)); goto IL_015f; } IL_0157: { CharU5BU5D_t3416858730* L_53 = ___chars; NullCheck(L_53); IL2CPP_ARRAY_BOUNDS_CHECK(L_53, 0); G_B34_0 = ((uintptr_t)(((L_53)->GetAddressAt(static_cast<il2cpp_array_size_t>(0))))); } IL_015f: { V_3 = (uint16_t*)G_B34_0; uint8_t* L_54 = V_2; int32_t L_55 = ___byteIndex; uint16_t* L_56 = V_3; int32_t L_57 = ___charIndex; int32_t L_58 = ___byteCount; bool L_59 = __this->get_bigEndian_2(); UnicodeEncoding_CopyChars_m137508992(NULL /*static, unused*/, (uint8_t*)(uint8_t*)((uint8_t*)((intptr_t)L_54+(int32_t)L_55)), (uint8_t*)(uint8_t*)((uint16_t*)((intptr_t)L_56+(int32_t)((int32_t)((int32_t)L_57*(int32_t)2)))), L_58, L_59, /*hidden argument*/NULL); V_3 = (uint16_t*)(((uintptr_t)0)); V_2 = (uint8_t*)(((uintptr_t)0)); } IL_017b: { int32_t L_60 = ___byteCount; if (((int32_t)((int32_t)L_60&(int32_t)1))) { goto IL_018f; } } { __this->set_leftOverByte_3((-1)); goto IL_019c; } IL_018f: { ByteU5BU5D_t58506160* L_61 = ___bytes; int32_t L_62 = ___byteCount; int32_t L_63 = ___byteIndex; NullCheck(L_61); IL2CPP_ARRAY_BOUNDS_CHECK(L_61, ((int32_t)((int32_t)((int32_t)((int32_t)L_62+(int32_t)L_63))-(int32_t)1))); int32_t L_64 = ((int32_t)((int32_t)((int32_t)((int32_t)L_62+(int32_t)L_63))-(int32_t)1)); __this->set_leftOverByte_3(((L_61)->GetAt(static_cast<il2cpp_array_size_t>(L_64)))); } IL_019c: { int32_t L_65 = V_1; return L_65; } } // System.Void System.Text.UTF32Encoding::.ctor() extern "C" void UTF32Encoding__ctor_m3047105501 (UTF32Encoding_t420914269 * __this, const MethodInfo* method) { { UTF32Encoding__ctor_m2606271988(__this, (bool)0, (bool)1, (bool)0, /*hidden argument*/NULL); return; } } // System.Void System.Text.UTF32Encoding::.ctor(System.Boolean,System.Boolean) extern "C" void UTF32Encoding__ctor_m1611597417 (UTF32Encoding_t420914269 * __this, bool ___bigEndian, bool ___byteOrderMark, const MethodInfo* method) { { bool L_0 = ___bigEndian; bool L_1 = ___byteOrderMark; UTF32Encoding__ctor_m2606271988(__this, L_0, L_1, (bool)0, /*hidden argument*/NULL); return; } } // System.Void System.Text.UTF32Encoding::.ctor(System.Boolean,System.Boolean,System.Boolean) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* EncoderFallback_t990837442_il2cpp_TypeInfo_var; extern TypeInfo* DecoderFallback_t4033313258_il2cpp_TypeInfo_var; extern TypeInfo* EncoderReplacementFallback_t4114605884_il2cpp_TypeInfo_var; extern TypeInfo* DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral65533; extern Il2CppCodeGenString* _stringLiteral584892232; extern Il2CppCodeGenString* _stringLiteral156894868; extern Il2CppCodeGenString* _stringLiteral3459822661; extern Il2CppCodeGenString* _stringLiteral2513183845; extern const uint32_t UTF32Encoding__ctor_m2606271988_MetadataUsageId; extern "C" void UTF32Encoding__ctor_m2606271988 (UTF32Encoding_t420914269 * __this, bool ___bigEndian, bool ___byteOrderMark, bool ___throwOnInvalidCharacters, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Encoding__ctor_m2606271988_MetadataUsageId); s_Il2CppMethodIntialized = true; } UTF32Encoding_t420914269 * G_B2_0 = NULL; UTF32Encoding_t420914269 * G_B1_0 = NULL; int32_t G_B3_0 = 0; UTF32Encoding_t420914269 * G_B3_1 = NULL; { bool L_0 = ___bigEndian; G_B1_0 = __this; if (!L_0) { G_B2_0 = __this; goto IL_0011; } } { G_B3_0 = ((int32_t)12001); G_B3_1 = G_B1_0; goto IL_0016; } IL_0011: { G_B3_0 = ((int32_t)12000); G_B3_1 = G_B2_0; } IL_0016: { NullCheck(G_B3_1); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding__ctor_m1203666318(G_B3_1, G_B3_0, /*hidden argument*/NULL); bool L_1 = ___bigEndian; __this->set_bigEndian_28(L_1); bool L_2 = ___byteOrderMark; __this->set_byteOrderMark_29(L_2); bool L_3 = ___throwOnInvalidCharacters; if (!L_3) { goto IL_0044; } } { IL2CPP_RUNTIME_CLASS_INIT(EncoderFallback_t990837442_il2cpp_TypeInfo_var); EncoderFallback_t990837442 * L_4 = EncoderFallback_get_ExceptionFallback_m3519102229(NULL /*static, unused*/, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(DecoderFallback_t4033313258_il2cpp_TypeInfo_var); DecoderFallback_t4033313258 * L_5 = DecoderFallback_get_ExceptionFallback_m325010629(NULL /*static, unused*/, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_SetFallbackInternal_m1712004450(__this, L_4, L_5, /*hidden argument*/NULL); goto IL_005e; } IL_0044: { EncoderReplacementFallback_t4114605884 * L_6 = (EncoderReplacementFallback_t4114605884 *)il2cpp_codegen_object_new(EncoderReplacementFallback_t4114605884_il2cpp_TypeInfo_var); EncoderReplacementFallback__ctor_m2572399850(L_6, _stringLiteral65533, /*hidden argument*/NULL); DecoderReplacementFallback_t1303633684 * L_7 = (DecoderReplacementFallback_t1303633684 *)il2cpp_codegen_object_new(DecoderReplacementFallback_t1303633684_il2cpp_TypeInfo_var); DecoderReplacementFallback__ctor_m1044232898(L_7, _stringLiteral65533, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding_SetFallbackInternal_m1712004450(__this, L_6, L_7, /*hidden argument*/NULL); } IL_005e: { bool L_8 = ___bigEndian; if (!L_8) { goto IL_0095; } } { ((Encoding_t180559927 *)__this)->set_body_name_8(_stringLiteral584892232); ((Encoding_t180559927 *)__this)->set_encoding_name_9(_stringLiteral156894868); ((Encoding_t180559927 *)__this)->set_header_name_10(_stringLiteral584892232); ((Encoding_t180559927 *)__this)->set_web_name_15(_stringLiteral584892232); goto IL_00c1; } IL_0095: { ((Encoding_t180559927 *)__this)->set_body_name_8(_stringLiteral3459822661); ((Encoding_t180559927 *)__this)->set_encoding_name_9(_stringLiteral2513183845); ((Encoding_t180559927 *)__this)->set_header_name_10(_stringLiteral3459822661); ((Encoding_t180559927 *)__this)->set_web_name_15(_stringLiteral3459822661); } IL_00c1: { ((Encoding_t180559927 *)__this)->set_windows_code_page_1(((int32_t)12000)); return; } } // System.Int32 System.Text.UTF32Encoding::GetByteCount(System.Char[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* Char_t2778706699_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t UTF32Encoding_GetByteCount_m4053178303_MetadataUsageId; extern "C" int32_t UTF32Encoding_GetByteCount_m4053178303 (UTF32Encoding_t420914269 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Encoding_GetByteCount_m4053178303_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; { CharU5BU5D_t3416858730* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; CharU5BU5D_t3416858730* L_4 = ___chars; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; CharU5BU5D_t3416858730* L_9 = ___chars; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { V_0 = 0; int32_t L_13 = ___index; V_1 = L_13; goto IL_00a7; } IL_0066: { CharU5BU5D_t3416858730* L_14 = ___chars; int32_t L_15 = V_1; NullCheck(L_14); IL2CPP_ARRAY_BOUNDS_CHECK(L_14, L_15); int32_t L_16 = L_15; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_17 = Char_IsSurrogate_m3822546544(NULL /*static, unused*/, ((L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_16))), /*hidden argument*/NULL); if (!L_17) { goto IL_009f; } } { int32_t L_18 = V_1; CharU5BU5D_t3416858730* L_19 = ___chars; NullCheck(L_19); if ((((int32_t)((int32_t)((int32_t)L_18+(int32_t)1))) >= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_19)->max_length))))))) { goto IL_0096; } } { CharU5BU5D_t3416858730* L_20 = ___chars; int32_t L_21 = V_1; NullCheck(L_20); IL2CPP_ARRAY_BOUNDS_CHECK(L_20, ((int32_t)((int32_t)L_21+(int32_t)1))); int32_t L_22 = ((int32_t)((int32_t)L_21+(int32_t)1)); IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_23 = Char_IsSurrogate_m3822546544(NULL /*static, unused*/, ((L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_22))), /*hidden argument*/NULL); if (!L_23) { goto IL_0096; } } { int32_t L_24 = V_0; V_0 = ((int32_t)((int32_t)L_24+(int32_t)4)); goto IL_009a; } IL_0096: { int32_t L_25 = V_0; V_0 = ((int32_t)((int32_t)L_25+(int32_t)4)); } IL_009a: { goto IL_00a3; } IL_009f: { int32_t L_26 = V_0; V_0 = ((int32_t)((int32_t)L_26+(int32_t)4)); } IL_00a3: { int32_t L_27 = V_1; V_1 = ((int32_t)((int32_t)L_27+(int32_t)1)); } IL_00a7: { int32_t L_28 = V_1; int32_t L_29 = ___index; int32_t L_30 = ___count; if ((((int32_t)L_28) < ((int32_t)((int32_t)((int32_t)L_29+(int32_t)L_30))))) { goto IL_0066; } } { int32_t L_31 = V_0; return L_31; } } // System.Int32 System.Text.UTF32Encoding::GetBytes(System.Char[],System.Int32,System.Int32,System.Byte[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern TypeInfo* Char_t2778706699_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t UTF32Encoding_GetBytes_m2096762137_MetadataUsageId; extern "C" int32_t UTF32Encoding_GetBytes_m2096762137 (UTF32Encoding_t420914269 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Encoding_GetBytes_m2096762137_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; uint16_t V_1 = 0x0; int32_t V_2 = 0; int32_t V_3 = 0; int32_t V_4 = 0; { CharU5BU5D_t3416858730* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___bytes; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___charIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0033; } } { int32_t L_5 = ___charIndex; CharU5BU5D_t3416858730* L_6 = ___chars; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0048; } } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral1542343452, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0048: { int32_t L_9 = ___charCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_005a; } } { int32_t L_10 = ___charCount; CharU5BU5D_t3416858730* L_11 = ___chars; NullCheck(L_11); int32_t L_12 = ___charIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006f; } } IL_005a: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral1536848729, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006f: { int32_t L_15 = ___byteIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0082; } } { int32_t L_16 = ___byteIndex; ByteU5BU5D_t58506160* L_17 = ___bytes; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0097; } } IL_0082: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral2223324330, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0097: { ByteU5BU5D_t58506160* L_20 = ___bytes; NullCheck(L_20); int32_t L_21 = ___byteIndex; int32_t L_22 = ___charCount; if ((((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_20)->max_length))))-(int32_t)L_21))) >= ((int32_t)((int32_t)((int32_t)L_22*(int32_t)4))))) { goto IL_00b6; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_23 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_24 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_24, L_23, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_24); } IL_00b6: { int32_t L_25 = ___byteIndex; V_0 = L_25; goto IL_0229; } IL_00be: { CharU5BU5D_t3416858730* L_26 = ___chars; int32_t L_27 = ___charIndex; int32_t L_28 = L_27; ___charIndex = ((int32_t)((int32_t)L_28+(int32_t)1)); NullCheck(L_26); IL2CPP_ARRAY_BOUNDS_CHECK(L_26, L_28); int32_t L_29 = L_28; V_1 = ((L_26)->GetAt(static_cast<il2cpp_array_size_t>(L_29))); uint16_t L_30 = V_1; IL2CPP_RUNTIME_CLASS_INIT(Char_t2778706699_il2cpp_TypeInfo_var); bool L_31 = Char_IsSurrogate_m3822546544(NULL /*static, unused*/, L_30, /*hidden argument*/NULL); if (!L_31) { goto IL_01c9; } } { int32_t L_32 = ___charCount; int32_t L_33 = L_32; ___charCount = ((int32_t)((int32_t)L_33-(int32_t)1)); if ((((int32_t)L_33) <= ((int32_t)0))) { goto IL_016a; } } { uint16_t L_34 = V_1; CharU5BU5D_t3416858730* L_35 = ___chars; int32_t L_36 = ___charIndex; int32_t L_37 = L_36; ___charIndex = ((int32_t)((int32_t)L_37+(int32_t)1)); NullCheck(L_35); IL2CPP_ARRAY_BOUNDS_CHECK(L_35, L_37); int32_t L_38 = L_37; V_2 = ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)1024)*(int32_t)((int32_t)((int32_t)L_34-(int32_t)((int32_t)55296)))))+(int32_t)((int32_t)65536)))+(int32_t)((L_35)->GetAt(static_cast<il2cpp_array_size_t>(L_38)))))-(int32_t)((int32_t)56320))); bool L_39 = __this->get_bigEndian_28(); if (!L_39) { goto IL_013b; } } { V_3 = 0; goto IL_012b; } IL_0113: { ByteU5BU5D_t58506160* L_40 = ___bytes; int32_t L_41 = V_0; int32_t L_42 = V_3; int32_t L_43 = V_2; NullCheck(L_40); IL2CPP_ARRAY_BOUNDS_CHECK(L_40, ((int32_t)((int32_t)((int32_t)((int32_t)L_41+(int32_t)3))-(int32_t)L_42))); (L_40)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)((int32_t)((int32_t)((int32_t)L_41+(int32_t)3))-(int32_t)L_42))), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)L_43%(int32_t)((int32_t)256))))))); int32_t L_44 = V_2; V_2 = ((int32_t)((int32_t)L_44>>(int32_t)8)); int32_t L_45 = V_3; V_3 = ((int32_t)((int32_t)L_45+(int32_t)1)); } IL_012b: { int32_t L_46 = V_3; if ((((int32_t)L_46) < ((int32_t)4))) { goto IL_0113; } } { int32_t L_47 = V_0; V_0 = ((int32_t)((int32_t)L_47+(int32_t)4)); goto IL_0165; } IL_013b: { V_4 = 0; goto IL_015d; } IL_0143: { ByteU5BU5D_t58506160* L_48 = ___bytes; int32_t L_49 = V_0; int32_t L_50 = L_49; V_0 = ((int32_t)((int32_t)L_50+(int32_t)1)); int32_t L_51 = V_2; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, L_50); (L_48)->SetAt(static_cast<il2cpp_array_size_t>(L_50), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)L_51%(int32_t)((int32_t)256))))))); int32_t L_52 = V_2; V_2 = ((int32_t)((int32_t)L_52>>(int32_t)8)); int32_t L_53 = V_4; V_4 = ((int32_t)((int32_t)L_53+(int32_t)1)); } IL_015d: { int32_t L_54 = V_4; if ((((int32_t)L_54) < ((int32_t)4))) { goto IL_0143; } } IL_0165: { goto IL_01c4; } IL_016a: { bool L_55 = __this->get_bigEndian_28(); if (!L_55) { goto IL_019f; } } { ByteU5BU5D_t58506160* L_56 = ___bytes; int32_t L_57 = V_0; int32_t L_58 = L_57; V_0 = ((int32_t)((int32_t)L_58+(int32_t)1)); NullCheck(L_56); IL2CPP_ARRAY_BOUNDS_CHECK(L_56, L_58); (L_56)->SetAt(static_cast<il2cpp_array_size_t>(L_58), (uint8_t)0); ByteU5BU5D_t58506160* L_59 = ___bytes; int32_t L_60 = V_0; int32_t L_61 = L_60; V_0 = ((int32_t)((int32_t)L_61+(int32_t)1)); NullCheck(L_59); IL2CPP_ARRAY_BOUNDS_CHECK(L_59, L_61); (L_59)->SetAt(static_cast<il2cpp_array_size_t>(L_61), (uint8_t)0); ByteU5BU5D_t58506160* L_62 = ___bytes; int32_t L_63 = V_0; int32_t L_64 = L_63; V_0 = ((int32_t)((int32_t)L_64+(int32_t)1)); NullCheck(L_62); IL2CPP_ARRAY_BOUNDS_CHECK(L_62, L_64); (L_62)->SetAt(static_cast<il2cpp_array_size_t>(L_64), (uint8_t)0); ByteU5BU5D_t58506160* L_65 = ___bytes; int32_t L_66 = V_0; int32_t L_67 = L_66; V_0 = ((int32_t)((int32_t)L_67+(int32_t)1)); NullCheck(L_65); IL2CPP_ARRAY_BOUNDS_CHECK(L_65, L_67); (L_65)->SetAt(static_cast<il2cpp_array_size_t>(L_67), (uint8_t)((int32_t)63)); goto IL_01c4; } IL_019f: { ByteU5BU5D_t58506160* L_68 = ___bytes; int32_t L_69 = V_0; int32_t L_70 = L_69; V_0 = ((int32_t)((int32_t)L_70+(int32_t)1)); NullCheck(L_68); IL2CPP_ARRAY_BOUNDS_CHECK(L_68, L_70); (L_68)->SetAt(static_cast<il2cpp_array_size_t>(L_70), (uint8_t)((int32_t)63)); ByteU5BU5D_t58506160* L_71 = ___bytes; int32_t L_72 = V_0; int32_t L_73 = L_72; V_0 = ((int32_t)((int32_t)L_73+(int32_t)1)); NullCheck(L_71); IL2CPP_ARRAY_BOUNDS_CHECK(L_71, L_73); (L_71)->SetAt(static_cast<il2cpp_array_size_t>(L_73), (uint8_t)0); ByteU5BU5D_t58506160* L_74 = ___bytes; int32_t L_75 = V_0; int32_t L_76 = L_75; V_0 = ((int32_t)((int32_t)L_76+(int32_t)1)); NullCheck(L_74); IL2CPP_ARRAY_BOUNDS_CHECK(L_74, L_76); (L_74)->SetAt(static_cast<il2cpp_array_size_t>(L_76), (uint8_t)0); ByteU5BU5D_t58506160* L_77 = ___bytes; int32_t L_78 = V_0; int32_t L_79 = L_78; V_0 = ((int32_t)((int32_t)L_79+(int32_t)1)); NullCheck(L_77); IL2CPP_ARRAY_BOUNDS_CHECK(L_77, L_79); (L_77)->SetAt(static_cast<il2cpp_array_size_t>(L_79), (uint8_t)0); } IL_01c4: { goto IL_0229; } IL_01c9: { bool L_80 = __this->get_bigEndian_28(); if (!L_80) { goto IL_0201; } } { ByteU5BU5D_t58506160* L_81 = ___bytes; int32_t L_82 = V_0; int32_t L_83 = L_82; V_0 = ((int32_t)((int32_t)L_83+(int32_t)1)); NullCheck(L_81); IL2CPP_ARRAY_BOUNDS_CHECK(L_81, L_83); (L_81)->SetAt(static_cast<il2cpp_array_size_t>(L_83), (uint8_t)0); ByteU5BU5D_t58506160* L_84 = ___bytes; int32_t L_85 = V_0; int32_t L_86 = L_85; V_0 = ((int32_t)((int32_t)L_86+(int32_t)1)); NullCheck(L_84); IL2CPP_ARRAY_BOUNDS_CHECK(L_84, L_86); (L_84)->SetAt(static_cast<il2cpp_array_size_t>(L_86), (uint8_t)0); ByteU5BU5D_t58506160* L_87 = ___bytes; int32_t L_88 = V_0; int32_t L_89 = L_88; V_0 = ((int32_t)((int32_t)L_89+(int32_t)1)); uint16_t L_90 = V_1; NullCheck(L_87); IL2CPP_ARRAY_BOUNDS_CHECK(L_87, L_89); (L_87)->SetAt(static_cast<il2cpp_array_size_t>(L_89), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)L_90>>(int32_t)8)))))); ByteU5BU5D_t58506160* L_91 = ___bytes; int32_t L_92 = V_0; int32_t L_93 = L_92; V_0 = ((int32_t)((int32_t)L_93+(int32_t)1)); uint16_t L_94 = V_1; NullCheck(L_91); IL2CPP_ARRAY_BOUNDS_CHECK(L_91, L_93); (L_91)->SetAt(static_cast<il2cpp_array_size_t>(L_93), (uint8_t)(((int32_t)((uint8_t)L_94)))); goto IL_0229; } IL_0201: { ByteU5BU5D_t58506160* L_95 = ___bytes; int32_t L_96 = V_0; int32_t L_97 = L_96; V_0 = ((int32_t)((int32_t)L_97+(int32_t)1)); uint16_t L_98 = V_1; NullCheck(L_95); IL2CPP_ARRAY_BOUNDS_CHECK(L_95, L_97); (L_95)->SetAt(static_cast<il2cpp_array_size_t>(L_97), (uint8_t)(((int32_t)((uint8_t)L_98)))); ByteU5BU5D_t58506160* L_99 = ___bytes; int32_t L_100 = V_0; int32_t L_101 = L_100; V_0 = ((int32_t)((int32_t)L_101+(int32_t)1)); uint16_t L_102 = V_1; NullCheck(L_99); IL2CPP_ARRAY_BOUNDS_CHECK(L_99, L_101); (L_99)->SetAt(static_cast<il2cpp_array_size_t>(L_101), (uint8_t)(((int32_t)((uint8_t)((int32_t)((int32_t)L_102>>(int32_t)8)))))); ByteU5BU5D_t58506160* L_103 = ___bytes; int32_t L_104 = V_0; int32_t L_105 = L_104; V_0 = ((int32_t)((int32_t)L_105+(int32_t)1)); NullCheck(L_103); IL2CPP_ARRAY_BOUNDS_CHECK(L_103, L_105); (L_103)->SetAt(static_cast<il2cpp_array_size_t>(L_105), (uint8_t)0); ByteU5BU5D_t58506160* L_106 = ___bytes; int32_t L_107 = V_0; int32_t L_108 = L_107; V_0 = ((int32_t)((int32_t)L_108+(int32_t)1)); NullCheck(L_106); IL2CPP_ARRAY_BOUNDS_CHECK(L_106, L_108); (L_106)->SetAt(static_cast<il2cpp_array_size_t>(L_108), (uint8_t)0); } IL_0229: { int32_t L_109 = ___charCount; int32_t L_110 = L_109; ___charCount = ((int32_t)((int32_t)L_110-(int32_t)1)); if ((((int32_t)L_110) > ((int32_t)0))) { goto IL_00be; } } { int32_t L_111 = V_0; int32_t L_112 = ___byteIndex; return ((int32_t)((int32_t)L_111-(int32_t)L_112)); } } // System.Int32 System.Text.UTF32Encoding::GetCharCount(System.Byte[],System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t UTF32Encoding_GetCharCount_m2854590747_MetadataUsageId; extern "C" int32_t UTF32Encoding_GetCharCount_m2854590747 (UTF32Encoding_t420914269 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Encoding_GetCharCount_m2854590747_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; ByteU5BU5D_t58506160* L_4 = ___bytes; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; ByteU5BU5D_t58506160* L_9 = ___bytes; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { int32_t L_13 = ___count; return ((int32_t)((int32_t)L_13/(int32_t)4)); } } // System.Int32 System.Text.UTF32Encoding::GetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t UTF32Encoding_GetChars_m142045579_MetadataUsageId; extern "C" int32_t UTF32Encoding_GetChars_m142045579 (UTF32Encoding_t420914269 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, int32_t ___byteCount, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Encoding_GetChars_m142045579_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { CharU5BU5D_t3416858730* L_2 = ___chars; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___byteIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0033; } } { int32_t L_5 = ___byteIndex; ByteU5BU5D_t58506160* L_6 = ___bytes; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0048; } } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral2223324330, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0048: { int32_t L_9 = ___byteCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_005a; } } { int32_t L_10 = ___byteCount; ByteU5BU5D_t58506160* L_11 = ___bytes; NullCheck(L_11); int32_t L_12 = ___byteIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006f; } } IL_005a: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral2217829607, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006f: { int32_t L_15 = ___charIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0082; } } { int32_t L_16 = ___charIndex; CharU5BU5D_t3416858730* L_17 = ___chars; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0097; } } IL_0082: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral1542343452, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0097: { CharU5BU5D_t3416858730* L_20 = ___chars; NullCheck(L_20); int32_t L_21 = ___charIndex; int32_t L_22 = ___byteCount; if ((((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_20)->max_length))))-(int32_t)L_21))) >= ((int32_t)((int32_t)((int32_t)L_22/(int32_t)4))))) { goto IL_00b6; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_23 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_24 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_24, L_23, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_24); } IL_00b6: { int32_t L_25 = ___charIndex; V_0 = L_25; bool L_26 = __this->get_bigEndian_28(); if (!L_26) { goto IL_0105; } } { goto IL_00f9; } IL_00c9: { CharU5BU5D_t3416858730* L_27 = ___chars; int32_t L_28 = V_0; int32_t L_29 = L_28; V_0 = ((int32_t)((int32_t)L_29+(int32_t)1)); ByteU5BU5D_t58506160* L_30 = ___bytes; int32_t L_31 = ___byteIndex; NullCheck(L_30); IL2CPP_ARRAY_BOUNDS_CHECK(L_30, L_31); int32_t L_32 = L_31; ByteU5BU5D_t58506160* L_33 = ___bytes; int32_t L_34 = ___byteIndex; NullCheck(L_33); IL2CPP_ARRAY_BOUNDS_CHECK(L_33, ((int32_t)((int32_t)L_34+(int32_t)1))); int32_t L_35 = ((int32_t)((int32_t)L_34+(int32_t)1)); ByteU5BU5D_t58506160* L_36 = ___bytes; int32_t L_37 = ___byteIndex; NullCheck(L_36); IL2CPP_ARRAY_BOUNDS_CHECK(L_36, ((int32_t)((int32_t)L_37+(int32_t)2))); int32_t L_38 = ((int32_t)((int32_t)L_37+(int32_t)2)); ByteU5BU5D_t58506160* L_39 = ___bytes; int32_t L_40 = ___byteIndex; NullCheck(L_39); IL2CPP_ARRAY_BOUNDS_CHECK(L_39, ((int32_t)((int32_t)L_40+(int32_t)3))); int32_t L_41 = ((int32_t)((int32_t)L_40+(int32_t)3)); NullCheck(L_27); IL2CPP_ARRAY_BOUNDS_CHECK(L_27, L_29); (L_27)->SetAt(static_cast<il2cpp_array_size_t>(L_29), (uint16_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_30)->GetAt(static_cast<il2cpp_array_size_t>(L_32)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_33)->GetAt(static_cast<il2cpp_array_size_t>(L_35)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_36)->GetAt(static_cast<il2cpp_array_size_t>(L_38)))<<(int32_t)8))))|(int32_t)((L_39)->GetAt(static_cast<il2cpp_array_size_t>(L_41))))))))); int32_t L_42 = ___byteIndex; ___byteIndex = ((int32_t)((int32_t)L_42+(int32_t)4)); int32_t L_43 = ___byteCount; ___byteCount = ((int32_t)((int32_t)L_43-(int32_t)4)); } IL_00f9: { int32_t L_44 = ___byteCount; if ((((int32_t)L_44) >= ((int32_t)4))) { goto IL_00c9; } } { goto IL_0141; } IL_0105: { goto IL_013a; } IL_010a: { CharU5BU5D_t3416858730* L_45 = ___chars; int32_t L_46 = V_0; int32_t L_47 = L_46; V_0 = ((int32_t)((int32_t)L_47+(int32_t)1)); ByteU5BU5D_t58506160* L_48 = ___bytes; int32_t L_49 = ___byteIndex; NullCheck(L_48); IL2CPP_ARRAY_BOUNDS_CHECK(L_48, L_49); int32_t L_50 = L_49; ByteU5BU5D_t58506160* L_51 = ___bytes; int32_t L_52 = ___byteIndex; NullCheck(L_51); IL2CPP_ARRAY_BOUNDS_CHECK(L_51, ((int32_t)((int32_t)L_52+(int32_t)1))); int32_t L_53 = ((int32_t)((int32_t)L_52+(int32_t)1)); ByteU5BU5D_t58506160* L_54 = ___bytes; int32_t L_55 = ___byteIndex; NullCheck(L_54); IL2CPP_ARRAY_BOUNDS_CHECK(L_54, ((int32_t)((int32_t)L_55+(int32_t)2))); int32_t L_56 = ((int32_t)((int32_t)L_55+(int32_t)2)); ByteU5BU5D_t58506160* L_57 = ___bytes; int32_t L_58 = ___byteIndex; NullCheck(L_57); IL2CPP_ARRAY_BOUNDS_CHECK(L_57, ((int32_t)((int32_t)L_58+(int32_t)3))); int32_t L_59 = ((int32_t)((int32_t)L_58+(int32_t)3)); NullCheck(L_45); IL2CPP_ARRAY_BOUNDS_CHECK(L_45, L_47); (L_45)->SetAt(static_cast<il2cpp_array_size_t>(L_47), (uint16_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_48)->GetAt(static_cast<il2cpp_array_size_t>(L_50)))|(int32_t)((int32_t)((int32_t)((L_51)->GetAt(static_cast<il2cpp_array_size_t>(L_53)))<<(int32_t)8))))|(int32_t)((int32_t)((int32_t)((L_54)->GetAt(static_cast<il2cpp_array_size_t>(L_56)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_57)->GetAt(static_cast<il2cpp_array_size_t>(L_59)))<<(int32_t)((int32_t)24))))))))); int32_t L_60 = ___byteIndex; ___byteIndex = ((int32_t)((int32_t)L_60+(int32_t)4)); int32_t L_61 = ___byteCount; ___byteCount = ((int32_t)((int32_t)L_61-(int32_t)4)); } IL_013a: { int32_t L_62 = ___byteCount; if ((((int32_t)L_62) >= ((int32_t)4))) { goto IL_010a; } } IL_0141: { int32_t L_63 = V_0; int32_t L_64 = ___charIndex; return ((int32_t)((int32_t)L_63-(int32_t)L_64)); } } // System.Int32 System.Text.UTF32Encoding::GetMaxByteCount(System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral1982364266; extern const uint32_t UTF32Encoding_GetMaxByteCount_m4234377217_MetadataUsageId; extern "C" int32_t UTF32Encoding_GetMaxByteCount_m4234377217 (UTF32Encoding_t420914269 * __this, int32_t ___charCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Encoding_GetMaxByteCount_m4234377217_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___charCount; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_1 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1982364266, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral1536848729, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { int32_t L_3 = ___charCount; return ((int32_t)((int32_t)L_3*(int32_t)4)); } } // System.Int32 System.Text.UTF32Encoding::GetMaxCharCount(System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1982364266; extern const uint32_t UTF32Encoding_GetMaxCharCount_m730945267_MetadataUsageId; extern "C" int32_t UTF32Encoding_GetMaxCharCount_m730945267 (UTF32Encoding_t420914269 * __this, int32_t ___byteCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Encoding_GetMaxCharCount_m730945267_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___byteCount; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_1 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1982364266, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral2217829607, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { int32_t L_3 = ___byteCount; return ((int32_t)((int32_t)L_3/(int32_t)4)); } } // System.Text.Decoder System.Text.UTF32Encoding::GetDecoder() extern TypeInfo* UTF32Decoder_t3353387838_il2cpp_TypeInfo_var; extern const uint32_t UTF32Encoding_GetDecoder_m2353622692_MetadataUsageId; extern "C" Decoder_t1611780840 * UTF32Encoding_GetDecoder_m2353622692 (UTF32Encoding_t420914269 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Encoding_GetDecoder_m2353622692_MetadataUsageId); s_Il2CppMethodIntialized = true; } { bool L_0 = __this->get_bigEndian_28(); UTF32Decoder_t3353387838 * L_1 = (UTF32Decoder_t3353387838 *)il2cpp_codegen_object_new(UTF32Decoder_t3353387838_il2cpp_TypeInfo_var); UTF32Decoder__ctor_m2891819411(L_1, L_0, /*hidden argument*/NULL); return L_1; } } // System.Byte[] System.Text.UTF32Encoding::GetPreamble() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern const uint32_t UTF32Encoding_GetPreamble_m4266568199_MetadataUsageId; extern "C" ByteU5BU5D_t58506160* UTF32Encoding_GetPreamble_m4266568199 (UTF32Encoding_t420914269 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Encoding_GetPreamble_m4266568199_MetadataUsageId); s_Il2CppMethodIntialized = true; } ByteU5BU5D_t58506160* V_0 = NULL; { bool L_0 = __this->get_byteOrderMark_29(); if (!L_0) { goto IL_0044; } } { V_0 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)4)); bool L_1 = __this->get_bigEndian_28(); if (!L_1) { goto IL_0032; } } { ByteU5BU5D_t58506160* L_2 = V_0; NullCheck(L_2); IL2CPP_ARRAY_BOUNDS_CHECK(L_2, 2); (L_2)->SetAt(static_cast<il2cpp_array_size_t>(2), (uint8_t)((int32_t)254)); ByteU5BU5D_t58506160* L_3 = V_0; NullCheck(L_3); IL2CPP_ARRAY_BOUNDS_CHECK(L_3, 3); (L_3)->SetAt(static_cast<il2cpp_array_size_t>(3), (uint8_t)((int32_t)255)); goto IL_0042; } IL_0032: { ByteU5BU5D_t58506160* L_4 = V_0; NullCheck(L_4); IL2CPP_ARRAY_BOUNDS_CHECK(L_4, 0); (L_4)->SetAt(static_cast<il2cpp_array_size_t>(0), (uint8_t)((int32_t)255)); ByteU5BU5D_t58506160* L_5 = V_0; NullCheck(L_5); IL2CPP_ARRAY_BOUNDS_CHECK(L_5, 1); (L_5)->SetAt(static_cast<il2cpp_array_size_t>(1), (uint8_t)((int32_t)254)); } IL_0042: { ByteU5BU5D_t58506160* L_6 = V_0; return L_6; } IL_0044: { return ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)0)); } } // System.Boolean System.Text.UTF32Encoding::Equals(System.Object) extern TypeInfo* UTF32Encoding_t420914269_il2cpp_TypeInfo_var; extern const uint32_t UTF32Encoding_Equals_m2030004752_MetadataUsageId; extern "C" bool UTF32Encoding_Equals_m2030004752 (UTF32Encoding_t420914269 * __this, Il2CppObject * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Encoding_Equals_m2030004752_MetadataUsageId); s_Il2CppMethodIntialized = true; } UTF32Encoding_t420914269 * V_0 = NULL; int32_t G_B6_0 = 0; { Il2CppObject * L_0 = ___value; V_0 = ((UTF32Encoding_t420914269 *)IsInstSealed(L_0, UTF32Encoding_t420914269_il2cpp_TypeInfo_var)); UTF32Encoding_t420914269 * L_1 = V_0; if (!L_1) { goto IL_004b; } } { int32_t L_2 = ((Encoding_t180559927 *)__this)->get_codePage_0(); UTF32Encoding_t420914269 * L_3 = V_0; NullCheck(L_3); int32_t L_4 = ((Encoding_t180559927 *)L_3)->get_codePage_0(); if ((!(((uint32_t)L_2) == ((uint32_t)L_4)))) { goto IL_0049; } } { bool L_5 = __this->get_bigEndian_28(); UTF32Encoding_t420914269 * L_6 = V_0; NullCheck(L_6); bool L_7 = L_6->get_bigEndian_28(); if ((!(((uint32_t)L_5) == ((uint32_t)L_7)))) { goto IL_0049; } } { bool L_8 = __this->get_byteOrderMark_29(); UTF32Encoding_t420914269 * L_9 = V_0; NullCheck(L_9); bool L_10 = L_9->get_byteOrderMark_29(); if ((!(((uint32_t)L_8) == ((uint32_t)L_10)))) { goto IL_0049; } } { Il2CppObject * L_11 = ___value; bool L_12 = Encoding_Equals_m3267361452(__this, L_11, /*hidden argument*/NULL); G_B6_0 = ((int32_t)(L_12)); goto IL_004a; } IL_0049: { G_B6_0 = 0; } IL_004a: { return (bool)G_B6_0; } IL_004b: { return (bool)0; } } // System.Int32 System.Text.UTF32Encoding::GetHashCode() extern "C" int32_t UTF32Encoding_GetHashCode_m224607976 (UTF32Encoding_t420914269 * __this, const MethodInfo* method) { int32_t V_0 = 0; { int32_t L_0 = Encoding_GetHashCode_m2437082384(__this, /*hidden argument*/NULL); V_0 = L_0; bool L_1 = __this->get_bigEndian_28(); if (!L_1) { goto IL_0017; } } { int32_t L_2 = V_0; V_0 = ((int32_t)((int32_t)L_2^(int32_t)((int32_t)31))); } IL_0017: { bool L_3 = __this->get_byteOrderMark_29(); if (!L_3) { goto IL_0027; } } { int32_t L_4 = V_0; V_0 = ((int32_t)((int32_t)L_4^(int32_t)((int32_t)63))); } IL_0027: { int32_t L_5 = V_0; return L_5; } } // System.Int32 System.Text.UTF32Encoding::GetByteCount(System.Char*,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern const uint32_t UTF32Encoding_GetByteCount_m3487534096_MetadataUsageId; extern "C" int32_t UTF32Encoding_GetByteCount_m3487534096 (UTF32Encoding_t420914269 * __this, uint16_t* ___chars, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Encoding_GetByteCount_m3487534096_MetadataUsageId); s_Il2CppMethodIntialized = true; } { uint16_t* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___count; return ((int32_t)((int32_t)L_2*(int32_t)4)); } } // System.Int32 System.Text.UTF32Encoding::GetByteCount(System.String) extern "C" int32_t UTF32Encoding_GetByteCount_m3893434214 (UTF32Encoding_t420914269 * __this, String_t* ___s, const MethodInfo* method) { { String_t* L_0 = ___s; int32_t L_1 = Encoding_GetByteCount_m3861962638(__this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Text.UTF32Encoding::GetBytes(System.Char*,System.Int32,System.Byte*,System.Int32) extern "C" int32_t UTF32Encoding_GetBytes_m1300787456 (UTF32Encoding_t420914269 * __this, uint16_t* ___chars, int32_t ___charCount, uint8_t* ___bytes, int32_t ___byteCount, const MethodInfo* method) { { uint16_t* L_0 = ___chars; int32_t L_1 = ___charCount; uint8_t* L_2 = ___bytes; int32_t L_3 = ___byteCount; int32_t L_4 = Encoding_GetBytes_m1804873512(__this, (uint16_t*)(uint16_t*)L_0, L_1, (uint8_t*)(uint8_t*)L_2, L_3, /*hidden argument*/NULL); return L_4; } } // System.Int32 System.Text.UTF32Encoding::GetBytes(System.String,System.Int32,System.Int32,System.Byte[],System.Int32) extern "C" int32_t UTF32Encoding_GetBytes_m1671040818 (UTF32Encoding_t420914269 * __this, String_t* ___s, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, const MethodInfo* method) { { String_t* L_0 = ___s; int32_t L_1 = ___charIndex; int32_t L_2 = ___charCount; ByteU5BU5D_t58506160* L_3 = ___bytes; int32_t L_4 = ___byteIndex; int32_t L_5 = Encoding_GetBytes_m2409970698(__this, L_0, L_1, L_2, L_3, L_4, /*hidden argument*/NULL); return L_5; } } // System.String System.Text.UTF32Encoding::GetString(System.Byte[],System.Int32,System.Int32) extern "C" String_t* UTF32Encoding_GetString_m3449921892 (UTF32Encoding_t420914269 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = ___bytes; int32_t L_1 = ___index; int32_t L_2 = ___count; String_t* L_3 = Encoding_GetString_m565750122(__this, L_0, L_1, L_2, /*hidden argument*/NULL); return L_3; } } // System.Void System.Text.UTF32Encoding/UTF32Decoder::.ctor(System.Boolean) extern "C" void UTF32Decoder__ctor_m2891819411 (UTF32Decoder_t3353387838 * __this, bool ___bigEndian, const MethodInfo* method) { { Decoder__ctor_m1448672242(__this, /*hidden argument*/NULL); bool L_0 = ___bigEndian; __this->set_bigEndian_2(L_0); __this->set_leftOverByte_3((-1)); return; } } // System.Int32 System.Text.UTF32Encoding/UTF32Decoder::GetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t UTF32Decoder_GetChars_m1515909476_MetadataUsageId; extern "C" int32_t UTF32Decoder_GetChars_m1515909476 (UTF32Decoder_t3353387838 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, int32_t ___byteCount, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF32Decoder_GetChars_m1515909476_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; uint16_t V_3 = 0x0; int32_t V_4 = 0; int32_t V_5 = 0; int32_t V_6 = 0; int32_t V_7 = 0; int32_t V_8 = 0; { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { CharU5BU5D_t3416858730* L_2 = ___chars; if (L_2) { goto IL_0023; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0023: { int32_t L_4 = ___byteIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0033; } } { int32_t L_5 = ___byteIndex; ByteU5BU5D_t58506160* L_6 = ___bytes; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0048; } } IL_0033: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral2223324330, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0048: { int32_t L_9 = ___byteCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_005a; } } { int32_t L_10 = ___byteCount; ByteU5BU5D_t58506160* L_11 = ___bytes; NullCheck(L_11); int32_t L_12 = ___byteIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006f; } } IL_005a: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral2217829607, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006f: { int32_t L_15 = ___charIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0082; } } { int32_t L_16 = ___charIndex; CharU5BU5D_t3416858730* L_17 = ___chars; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0097; } } IL_0082: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral1542343452, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0097: { int32_t L_20 = ___charIndex; V_0 = L_20; int32_t L_21 = __this->get_leftOverByte_3(); V_1 = L_21; CharU5BU5D_t3416858730* L_22 = ___chars; NullCheck(L_22); V_2 = (((int32_t)((int32_t)(((Il2CppArray *)L_22)->max_length)))); int32_t L_23 = __this->get_leftOverLength_4(); V_4 = ((int32_t)((int32_t)4-(int32_t)L_23)); int32_t L_24 = __this->get_leftOverLength_4(); if ((((int32_t)L_24) <= ((int32_t)0))) { goto IL_01ba; } } { int32_t L_25 = ___byteCount; int32_t L_26 = V_4; if ((((int32_t)L_25) <= ((int32_t)L_26))) { goto IL_01ba; } } { bool L_27 = __this->get_bigEndian_2(); if (!L_27) { goto IL_0105; } } { V_5 = 0; goto IL_00f7; } IL_00d7: { int32_t L_28 = V_1; ByteU5BU5D_t58506160* L_29 = ___bytes; int32_t L_30 = ___byteIndex; int32_t L_31 = L_30; ___byteIndex = ((int32_t)((int32_t)L_31+(int32_t)1)); NullCheck(L_29); IL2CPP_ARRAY_BOUNDS_CHECK(L_29, L_31); int32_t L_32 = L_31; int32_t L_33 = ___byteCount; int32_t L_34 = L_33; ___byteCount = ((int32_t)((int32_t)L_34-(int32_t)1)); V_1 = ((int32_t)((int32_t)L_28+(int32_t)((int32_t)((int32_t)((L_29)->GetAt(static_cast<il2cpp_array_size_t>(L_32)))<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)4-(int32_t)L_34))&(int32_t)((int32_t)31)))&(int32_t)((int32_t)31))))))); int32_t L_35 = V_5; V_5 = ((int32_t)((int32_t)L_35+(int32_t)1)); } IL_00f7: { int32_t L_36 = V_5; int32_t L_37 = V_4; if ((((int32_t)L_36) < ((int32_t)L_37))) { goto IL_00d7; } } { goto IL_0134; } IL_0105: { V_6 = 0; goto IL_012b; } IL_010d: { int32_t L_38 = V_1; ByteU5BU5D_t58506160* L_39 = ___bytes; int32_t L_40 = ___byteIndex; int32_t L_41 = L_40; ___byteIndex = ((int32_t)((int32_t)L_41+(int32_t)1)); NullCheck(L_39); IL2CPP_ARRAY_BOUNDS_CHECK(L_39, L_41); int32_t L_42 = L_41; int32_t L_43 = ___byteCount; int32_t L_44 = L_43; ___byteCount = ((int32_t)((int32_t)L_44-(int32_t)1)); V_1 = ((int32_t)((int32_t)L_38+(int32_t)((int32_t)((int32_t)((L_39)->GetAt(static_cast<il2cpp_array_size_t>(L_42)))<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_44&(int32_t)((int32_t)31)))&(int32_t)((int32_t)31))))))); int32_t L_45 = V_6; V_6 = ((int32_t)((int32_t)L_45+(int32_t)1)); } IL_012b: { int32_t L_46 = V_6; int32_t L_47 = V_4; if ((((int32_t)L_46) < ((int32_t)L_47))) { goto IL_010d; } } IL_0134: { int32_t L_48 = V_1; if ((((int32_t)L_48) <= ((int32_t)((int32_t)65535)))) { goto IL_0148; } } { int32_t L_49 = V_0; int32_t L_50 = V_2; if ((((int32_t)((int32_t)((int32_t)L_49+(int32_t)1))) < ((int32_t)L_50))) { goto IL_014f; } } IL_0148: { int32_t L_51 = V_0; int32_t L_52 = V_2; if ((((int32_t)L_51) >= ((int32_t)L_52))) { goto IL_015f; } } IL_014f: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_53 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_54 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_54, L_53, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_54); } IL_015f: { int32_t L_55 = V_1; if ((((int32_t)L_55) <= ((int32_t)((int32_t)65535)))) { goto IL_01a7; } } { CharU5BU5D_t3416858730* L_56 = ___chars; int32_t L_57 = V_0; int32_t L_58 = L_57; V_0 = ((int32_t)((int32_t)L_58+(int32_t)1)); int32_t L_59 = V_1; NullCheck(L_56); IL2CPP_ARRAY_BOUNDS_CHECK(L_56, L_58); (L_56)->SetAt(static_cast<il2cpp_array_size_t>(L_58), (uint16_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_59-(int32_t)((int32_t)10000)))/(int32_t)((int32_t)1024)))+(int32_t)((int32_t)55296))))))); CharU5BU5D_t3416858730* L_60 = ___chars; int32_t L_61 = V_0; int32_t L_62 = L_61; V_0 = ((int32_t)((int32_t)L_62+(int32_t)1)); int32_t L_63 = V_1; NullCheck(L_60); IL2CPP_ARRAY_BOUNDS_CHECK(L_60, L_62); (L_60)->SetAt(static_cast<il2cpp_array_size_t>(L_62), (uint16_t)(((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_63-(int32_t)((int32_t)10000)))%(int32_t)((int32_t)1024)))+(int32_t)((int32_t)56320))))))); goto IL_01b1; } IL_01a7: { CharU5BU5D_t3416858730* L_64 = ___chars; int32_t L_65 = V_0; int32_t L_66 = L_65; V_0 = ((int32_t)((int32_t)L_66+(int32_t)1)); int32_t L_67 = V_1; NullCheck(L_64); IL2CPP_ARRAY_BOUNDS_CHECK(L_64, L_66); (L_64)->SetAt(static_cast<il2cpp_array_size_t>(L_66), (uint16_t)(((int32_t)((uint16_t)L_67)))); } IL_01b1: { V_1 = (-1); __this->set_leftOverLength_4(0); } IL_01ba: { goto IL_0253; } IL_01bf: { bool L_68 = __this->get_bigEndian_2(); if (!L_68) { goto IL_01fc; } } { ByteU5BU5D_t58506160* L_69 = ___bytes; int32_t L_70 = ___byteIndex; int32_t L_71 = L_70; ___byteIndex = ((int32_t)((int32_t)L_71+(int32_t)1)); NullCheck(L_69); IL2CPP_ARRAY_BOUNDS_CHECK(L_69, L_71); int32_t L_72 = L_71; ByteU5BU5D_t58506160* L_73 = ___bytes; int32_t L_74 = ___byteIndex; int32_t L_75 = L_74; ___byteIndex = ((int32_t)((int32_t)L_75+(int32_t)1)); NullCheck(L_73); IL2CPP_ARRAY_BOUNDS_CHECK(L_73, L_75); int32_t L_76 = L_75; ByteU5BU5D_t58506160* L_77 = ___bytes; int32_t L_78 = ___byteIndex; int32_t L_79 = L_78; ___byteIndex = ((int32_t)((int32_t)L_79+(int32_t)1)); NullCheck(L_77); IL2CPP_ARRAY_BOUNDS_CHECK(L_77, L_79); int32_t L_80 = L_79; ByteU5BU5D_t58506160* L_81 = ___bytes; int32_t L_82 = ___byteIndex; int32_t L_83 = L_82; ___byteIndex = ((int32_t)((int32_t)L_83+(int32_t)1)); NullCheck(L_81); IL2CPP_ARRAY_BOUNDS_CHECK(L_81, L_83); int32_t L_84 = L_83; V_3 = (((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_69)->GetAt(static_cast<il2cpp_array_size_t>(L_72)))<<(int32_t)((int32_t)24)))|(int32_t)((int32_t)((int32_t)((L_73)->GetAt(static_cast<il2cpp_array_size_t>(L_76)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_77)->GetAt(static_cast<il2cpp_array_size_t>(L_80)))<<(int32_t)8))))|(int32_t)((L_81)->GetAt(static_cast<il2cpp_array_size_t>(L_84)))))))); goto IL_0229; } IL_01fc: { ByteU5BU5D_t58506160* L_85 = ___bytes; int32_t L_86 = ___byteIndex; int32_t L_87 = L_86; ___byteIndex = ((int32_t)((int32_t)L_87+(int32_t)1)); NullCheck(L_85); IL2CPP_ARRAY_BOUNDS_CHECK(L_85, L_87); int32_t L_88 = L_87; ByteU5BU5D_t58506160* L_89 = ___bytes; int32_t L_90 = ___byteIndex; int32_t L_91 = L_90; ___byteIndex = ((int32_t)((int32_t)L_91+(int32_t)1)); NullCheck(L_89); IL2CPP_ARRAY_BOUNDS_CHECK(L_89, L_91); int32_t L_92 = L_91; ByteU5BU5D_t58506160* L_93 = ___bytes; int32_t L_94 = ___byteIndex; int32_t L_95 = L_94; ___byteIndex = ((int32_t)((int32_t)L_95+(int32_t)1)); NullCheck(L_93); IL2CPP_ARRAY_BOUNDS_CHECK(L_93, L_95); int32_t L_96 = L_95; ByteU5BU5D_t58506160* L_97 = ___bytes; int32_t L_98 = ___byteIndex; int32_t L_99 = L_98; ___byteIndex = ((int32_t)((int32_t)L_99+(int32_t)1)); NullCheck(L_97); IL2CPP_ARRAY_BOUNDS_CHECK(L_97, L_99); int32_t L_100 = L_99; V_3 = (((int32_t)((uint16_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((L_85)->GetAt(static_cast<il2cpp_array_size_t>(L_88)))|(int32_t)((int32_t)((int32_t)((L_89)->GetAt(static_cast<il2cpp_array_size_t>(L_92)))<<(int32_t)8))))|(int32_t)((int32_t)((int32_t)((L_93)->GetAt(static_cast<il2cpp_array_size_t>(L_96)))<<(int32_t)((int32_t)16)))))|(int32_t)((int32_t)((int32_t)((L_97)->GetAt(static_cast<il2cpp_array_size_t>(L_100)))<<(int32_t)((int32_t)24)))))))); } IL_0229: { int32_t L_101 = ___byteCount; ___byteCount = ((int32_t)((int32_t)L_101-(int32_t)4)); int32_t L_102 = V_0; int32_t L_103 = V_2; if ((((int32_t)L_102) >= ((int32_t)L_103))) { goto IL_0243; } } { CharU5BU5D_t3416858730* L_104 = ___chars; int32_t L_105 = V_0; int32_t L_106 = L_105; V_0 = ((int32_t)((int32_t)L_106+(int32_t)1)); uint16_t L_107 = V_3; NullCheck(L_104); IL2CPP_ARRAY_BOUNDS_CHECK(L_104, L_106); (L_104)->SetAt(static_cast<il2cpp_array_size_t>(L_106), (uint16_t)L_107); goto IL_0253; } IL_0243: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_108 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_109 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m3544856547(L_109, L_108, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_109); } IL_0253: { int32_t L_110 = ___byteCount; if ((((int32_t)L_110) > ((int32_t)3))) { goto IL_01bf; } } { int32_t L_111 = ___byteCount; if ((((int32_t)L_111) <= ((int32_t)0))) { goto IL_02df; } } { int32_t L_112 = ___byteCount; __this->set_leftOverLength_4(L_112); V_1 = 0; bool L_113 = __this->get_bigEndian_2(); if (!L_113) { goto IL_02aa; } } { V_7 = 0; goto IL_029d; } IL_027d: { int32_t L_114 = V_1; ByteU5BU5D_t58506160* L_115 = ___bytes; int32_t L_116 = ___byteIndex; int32_t L_117 = L_116; ___byteIndex = ((int32_t)((int32_t)L_117+(int32_t)1)); NullCheck(L_115); IL2CPP_ARRAY_BOUNDS_CHECK(L_115, L_117); int32_t L_118 = L_117; int32_t L_119 = ___byteCount; int32_t L_120 = L_119; ___byteCount = ((int32_t)((int32_t)L_120-(int32_t)1)); V_1 = ((int32_t)((int32_t)L_114+(int32_t)((int32_t)((int32_t)((L_115)->GetAt(static_cast<il2cpp_array_size_t>(L_118)))<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)4-(int32_t)L_120))&(int32_t)((int32_t)31)))&(int32_t)((int32_t)31))))))); int32_t L_121 = V_7; V_7 = ((int32_t)((int32_t)L_121+(int32_t)1)); } IL_029d: { int32_t L_122 = V_7; int32_t L_123 = ___byteCount; if ((((int32_t)L_122) < ((int32_t)L_123))) { goto IL_027d; } } { goto IL_02d8; } IL_02aa: { V_8 = 0; goto IL_02d0; } IL_02b2: { int32_t L_124 = V_1; ByteU5BU5D_t58506160* L_125 = ___bytes; int32_t L_126 = ___byteIndex; int32_t L_127 = L_126; ___byteIndex = ((int32_t)((int32_t)L_127+(int32_t)1)); NullCheck(L_125); IL2CPP_ARRAY_BOUNDS_CHECK(L_125, L_127); int32_t L_128 = L_127; int32_t L_129 = ___byteCount; int32_t L_130 = L_129; ___byteCount = ((int32_t)((int32_t)L_130-(int32_t)1)); V_1 = ((int32_t)((int32_t)L_124+(int32_t)((int32_t)((int32_t)((L_125)->GetAt(static_cast<il2cpp_array_size_t>(L_128)))<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_130&(int32_t)((int32_t)31)))&(int32_t)((int32_t)31))))))); int32_t L_131 = V_8; V_8 = ((int32_t)((int32_t)L_131+(int32_t)1)); } IL_02d0: { int32_t L_132 = V_8; int32_t L_133 = ___byteCount; if ((((int32_t)L_132) < ((int32_t)L_133))) { goto IL_02b2; } } IL_02d8: { int32_t L_134 = V_1; __this->set_leftOverByte_3(L_134); } IL_02df: { int32_t L_135 = V_0; int32_t L_136 = ___charIndex; return ((int32_t)((int32_t)L_135-(int32_t)L_136)); } } // System.Void System.Text.UTF7Encoding::.ctor() extern "C" void UTF7Encoding__ctor_m3219339181 (UTF7Encoding_t445806535 * __this, const MethodInfo* method) { { UTF7Encoding__ctor_m2518973028(__this, (bool)0, /*hidden argument*/NULL); return; } } // System.Void System.Text.UTF7Encoding::.ctor(System.Boolean) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral111607185; extern Il2CppCodeGenString* _stringLiteral22808733; extern const uint32_t UTF7Encoding__ctor_m2518973028_MetadataUsageId; extern "C" void UTF7Encoding__ctor_m2518973028 (UTF7Encoding_t445806535 * __this, bool ___allowOptionals, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding__ctor_m2518973028_MetadataUsageId); s_Il2CppMethodIntialized = true; } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); Encoding__ctor_m1203666318(__this, ((int32_t)65000), /*hidden argument*/NULL); bool L_0 = ___allowOptionals; __this->set_allowOptionals_28(L_0); ((Encoding_t180559927 *)__this)->set_body_name_8(_stringLiteral111607185); ((Encoding_t180559927 *)__this)->set_encoding_name_9(_stringLiteral22808733); ((Encoding_t180559927 *)__this)->set_header_name_10(_stringLiteral111607185); ((Encoding_t180559927 *)__this)->set_is_mail_news_display_11((bool)1); ((Encoding_t180559927 *)__this)->set_is_mail_news_save_12((bool)1); ((Encoding_t180559927 *)__this)->set_web_name_15(_stringLiteral111607185); ((Encoding_t180559927 *)__this)->set_windows_code_page_1(((int32_t)1200)); return; } } // System.Void System.Text.UTF7Encoding::.cctor() extern TypeInfo* ByteU5BU5D_t58506160_il2cpp_TypeInfo_var; extern TypeInfo* UTF7Encoding_t445806535_il2cpp_TypeInfo_var; extern TypeInfo* SByteU5BU5D_t1084170289_il2cpp_TypeInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D62_49_FieldInfo_var; extern FieldInfo* U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D63_50_FieldInfo_var; extern const uint32_t UTF7Encoding__cctor_m533170592_MetadataUsageId; extern "C" void UTF7Encoding__cctor_m533170592 (Il2CppObject * __this /* static, unused */, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding__cctor_m533170592_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ((ByteU5BU5D_t58506160*)SZArrayNew(ByteU5BU5D_t58506160_il2cpp_TypeInfo_var, (uint32_t)((int32_t)128))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_0, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D62_49_FieldInfo_var), /*hidden argument*/NULL); ((UTF7Encoding_t445806535_StaticFields*)UTF7Encoding_t445806535_il2cpp_TypeInfo_var->static_fields)->set_encodingRules_29(L_0); SByteU5BU5D_t1084170289* L_1 = ((SByteU5BU5D_t1084170289*)SZArrayNew(SByteU5BU5D_t1084170289_il2cpp_TypeInfo_var, (uint32_t)((int32_t)256))); RuntimeHelpers_InitializeArray_m2058365049(NULL /*static, unused*/, (Il2CppArray *)(Il2CppArray *)L_1, LoadFieldToken(U3CPrivateImplementationDetailsU3E_t3053238933____U24U24fieldU2D63_50_FieldInfo_var), /*hidden argument*/NULL); ((UTF7Encoding_t445806535_StaticFields*)UTF7Encoding_t445806535_il2cpp_TypeInfo_var->static_fields)->set_base64Values_30(L_1); return; } } // System.Int32 System.Text.UTF7Encoding::GetHashCode() extern "C" int32_t UTF7Encoding_GetHashCode_m3782877952 (UTF7Encoding_t445806535 * __this, const MethodInfo* method) { int32_t V_0 = 0; int32_t G_B3_0 = 0; { int32_t L_0 = Encoding_GetHashCode_m2437082384(__this, /*hidden argument*/NULL); V_0 = L_0; bool L_1 = __this->get_allowOptionals_28(); if (!L_1) { goto IL_0019; } } { int32_t L_2 = V_0; G_B3_0 = ((-L_2)); goto IL_001a; } IL_0019: { int32_t L_3 = V_0; G_B3_0 = L_3; } IL_001a: { return G_B3_0; } } // System.Boolean System.Text.UTF7Encoding::Equals(System.Object) extern TypeInfo* UTF7Encoding_t445806535_il2cpp_TypeInfo_var; extern const uint32_t UTF7Encoding_Equals_m85066652_MetadataUsageId; extern "C" bool UTF7Encoding_Equals_m85066652 (UTF7Encoding_t445806535 * __this, Il2CppObject * ___value, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_Equals_m85066652_MetadataUsageId); s_Il2CppMethodIntialized = true; } UTF7Encoding_t445806535 * V_0 = NULL; int32_t G_B6_0 = 0; { Il2CppObject * L_0 = ___value; V_0 = ((UTF7Encoding_t445806535 *)IsInstClass(L_0, UTF7Encoding_t445806535_il2cpp_TypeInfo_var)); UTF7Encoding_t445806535 * L_1 = V_0; if (L_1) { goto IL_000f; } } { return (bool)0; } IL_000f: { bool L_2 = __this->get_allowOptionals_28(); UTF7Encoding_t445806535 * L_3 = V_0; NullCheck(L_3); bool L_4 = L_3->get_allowOptionals_28(); if ((!(((uint32_t)L_2) == ((uint32_t)L_4)))) { goto IL_0049; } } { EncoderFallback_t990837442 * L_5 = Encoding_get_EncoderFallback_m252351353(__this, /*hidden argument*/NULL); UTF7Encoding_t445806535 * L_6 = V_0; NullCheck(L_6); EncoderFallback_t990837442 * L_7 = Encoding_get_EncoderFallback_m252351353(L_6, /*hidden argument*/NULL); NullCheck(L_5); bool L_8 = VirtFuncInvoker1< bool, Il2CppObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_5, L_7); if (!L_8) { goto IL_0049; } } { DecoderFallback_t4033313258 * L_9 = Encoding_get_DecoderFallback_m3409202121(__this, /*hidden argument*/NULL); UTF7Encoding_t445806535 * L_10 = V_0; NullCheck(L_10); DecoderFallback_t4033313258 * L_11 = Encoding_get_DecoderFallback_m3409202121(L_10, /*hidden argument*/NULL); NullCheck(L_9); bool L_12 = VirtFuncInvoker1< bool, Il2CppObject * >::Invoke(0 /* System.Boolean System.Object::Equals(System.Object) */, L_9, L_11); G_B6_0 = ((int32_t)(L_12)); goto IL_004a; } IL_0049: { G_B6_0 = 0; } IL_004a: { return (bool)G_B6_0; } } // System.Int32 System.Text.UTF7Encoding::InternalGetByteCount(System.Char[],System.Int32,System.Int32,System.Boolean,System.Int32,System.Boolean,System.Boolean) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* UTF7Encoding_t445806535_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t UTF7Encoding_InternalGetByteCount_m2693580788_MetadataUsageId; extern "C" int32_t UTF7Encoding_InternalGetByteCount_m2693580788 (Il2CppObject * __this /* static, unused */, CharU5BU5D_t3416858730* ___chars, int32_t ___index, int32_t ___count, bool ___flush, int32_t ___leftOver, bool ___isInShifted, bool ___allowOptionals, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_InternalGetByteCount_m2693580788_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; ByteU5BU5D_t58506160* V_2 = NULL; int32_t V_3 = 0; int32_t V_4 = 0; int32_t V_5 = 0; { CharU5BU5D_t3416858730* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; CharU5BU5D_t3416858730* L_4 = ___chars; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; CharU5BU5D_t3416858730* L_9 = ___chars; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { V_0 = 0; int32_t L_13 = ___leftOver; V_1 = ((int32_t)((int32_t)L_13>>(int32_t)8)); IL2CPP_RUNTIME_CLASS_INIT(UTF7Encoding_t445806535_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_14 = ((UTF7Encoding_t445806535_StaticFields*)UTF7Encoding_t445806535_il2cpp_TypeInfo_var->static_fields)->get_encodingRules_29(); V_2 = L_14; goto IL_013a; } IL_006f: { CharU5BU5D_t3416858730* L_15 = ___chars; int32_t L_16 = ___index; int32_t L_17 = L_16; ___index = ((int32_t)((int32_t)L_17+(int32_t)1)); NullCheck(L_15); IL2CPP_ARRAY_BOUNDS_CHECK(L_15, L_17); int32_t L_18 = L_17; V_3 = ((L_15)->GetAt(static_cast<il2cpp_array_size_t>(L_18))); int32_t L_19 = ___count; ___count = ((int32_t)((int32_t)L_19-(int32_t)1)); int32_t L_20 = V_3; if ((((int32_t)L_20) >= ((int32_t)((int32_t)128)))) { goto IL_0092; } } { ByteU5BU5D_t58506160* L_21 = V_2; int32_t L_22 = V_3; NullCheck(L_21); IL2CPP_ARRAY_BOUNDS_CHECK(L_21, L_22); int32_t L_23 = L_22; V_4 = ((L_21)->GetAt(static_cast<il2cpp_array_size_t>(L_23))); goto IL_0095; } IL_0092: { V_4 = 0; } IL_0095: { int32_t L_24 = V_4; V_5 = L_24; int32_t L_25 = V_5; if (L_25 == 0) { goto IL_00b5; } if (L_25 == 1) { goto IL_00e3; } if (L_25 == 2) { goto IL_0106; } if (L_25 == 3) { goto IL_0117; } } { goto IL_013a; } IL_00b5: { bool L_26 = ___isInShifted; if (L_26) { goto IL_00c5; } } { int32_t L_27 = V_0; V_0 = ((int32_t)((int32_t)L_27+(int32_t)1)); V_1 = 0; ___isInShifted = (bool)1; } IL_00c5: { int32_t L_28 = V_1; V_1 = ((int32_t)((int32_t)L_28+(int32_t)((int32_t)16))); goto IL_00d7; } IL_00cf: { int32_t L_29 = V_0; V_0 = ((int32_t)((int32_t)L_29+(int32_t)1)); int32_t L_30 = V_1; V_1 = ((int32_t)((int32_t)L_30-(int32_t)6)); } IL_00d7: { int32_t L_31 = V_1; if ((((int32_t)L_31) >= ((int32_t)6))) { goto IL_00cf; } } { goto IL_013a; } IL_00e3: { bool L_32 = ___isInShifted; if (!L_32) { goto IL_00fd; } } { int32_t L_33 = V_1; if (!L_33) { goto IL_00f6; } } { int32_t L_34 = V_0; V_0 = ((int32_t)((int32_t)L_34+(int32_t)1)); V_1 = 0; } IL_00f6: { int32_t L_35 = V_0; V_0 = ((int32_t)((int32_t)L_35+(int32_t)1)); ___isInShifted = (bool)0; } IL_00fd: { int32_t L_36 = V_0; V_0 = ((int32_t)((int32_t)L_36+(int32_t)1)); goto IL_013a; } IL_0106: { bool L_37 = ___allowOptionals; if (!L_37) { goto IL_0112; } } { goto IL_00e3; } IL_0112: { goto IL_00b5; } IL_0117: { bool L_38 = ___isInShifted; if (!L_38) { goto IL_0131; } } { int32_t L_39 = V_1; if (!L_39) { goto IL_012a; } } { int32_t L_40 = V_0; V_0 = ((int32_t)((int32_t)L_40+(int32_t)1)); V_1 = 0; } IL_012a: { int32_t L_41 = V_0; V_0 = ((int32_t)((int32_t)L_41+(int32_t)1)); ___isInShifted = (bool)0; } IL_0131: { int32_t L_42 = V_0; V_0 = ((int32_t)((int32_t)L_42+(int32_t)2)); goto IL_013a; } IL_013a: { int32_t L_43 = ___count; if ((((int32_t)L_43) > ((int32_t)0))) { goto IL_006f; } } { bool L_44 = ___isInShifted; if (!L_44) { goto IL_015c; } } { bool L_45 = ___flush; if (!L_45) { goto IL_015c; } } { int32_t L_46 = V_1; if (!L_46) { goto IL_0158; } } { int32_t L_47 = V_0; V_0 = ((int32_t)((int32_t)L_47+(int32_t)1)); } IL_0158: { int32_t L_48 = V_0; V_0 = ((int32_t)((int32_t)L_48+(int32_t)1)); } IL_015c: { int32_t L_49 = V_0; return L_49; } } // System.Int32 System.Text.UTF7Encoding::GetByteCount(System.Char[],System.Int32,System.Int32) extern TypeInfo* UTF7Encoding_t445806535_il2cpp_TypeInfo_var; extern const uint32_t UTF7Encoding_GetByteCount_m1291682775_MetadataUsageId; extern "C" int32_t UTF7Encoding_GetByteCount_m1291682775 (UTF7Encoding_t445806535 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_GetByteCount_m1291682775_MetadataUsageId); s_Il2CppMethodIntialized = true; } { CharU5BU5D_t3416858730* L_0 = ___chars; int32_t L_1 = ___index; int32_t L_2 = ___count; bool L_3 = __this->get_allowOptionals_28(); IL2CPP_RUNTIME_CLASS_INIT(UTF7Encoding_t445806535_il2cpp_TypeInfo_var); int32_t L_4 = UTF7Encoding_InternalGetByteCount_m2693580788(NULL /*static, unused*/, L_0, L_1, L_2, (bool)1, 0, (bool)0, L_3, /*hidden argument*/NULL); return L_4; } } // System.Int32 System.Text.UTF7Encoding::InternalGetBytes(System.Char[],System.Int32,System.Int32,System.Byte[],System.Int32,System.Boolean,System.Int32&,System.Boolean&,System.Boolean) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* UTF7Encoding_t445806535_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral3958812739; extern Il2CppCodeGenString* _stringLiteral2221012186; extern const uint32_t UTF7Encoding_InternalGetBytes_m3747805498_MetadataUsageId; extern "C" int32_t UTF7Encoding_InternalGetBytes_m3747805498 (Il2CppObject * __this /* static, unused */, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, bool ___flush, int32_t* ___leftOver, bool* ___isInShifted, bool ___allowOptionals, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_InternalGetBytes_m3747805498_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; int32_t V_3 = 0; ByteU5BU5D_t58506160* V_4 = NULL; String_t* V_5 = NULL; int32_t V_6 = 0; int32_t V_7 = 0; int32_t V_8 = 0; { CharU5BU5D_t3416858730* L_0 = ___chars; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { ByteU5BU5D_t58506160* L_2 = ___bytes; if (L_2) { goto IL_0022; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0022: { int32_t L_4 = ___charIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0032; } } { int32_t L_5 = ___charIndex; CharU5BU5D_t3416858730* L_6 = ___chars; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0047; } } IL_0032: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral1542343452, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0047: { int32_t L_9 = ___charCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_0059; } } { int32_t L_10 = ___charCount; CharU5BU5D_t3416858730* L_11 = ___chars; NullCheck(L_11); int32_t L_12 = ___charIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006e; } } IL_0059: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral1536848729, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006e: { int32_t L_15 = ___byteIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0080; } } { int32_t L_16 = ___byteIndex; ByteU5BU5D_t58506160* L_17 = ___bytes; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0095; } } IL_0080: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral2223324330, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0095: { int32_t L_20 = ___byteIndex; V_0 = L_20; ByteU5BU5D_t58506160* L_21 = ___bytes; NullCheck(L_21); V_1 = (((int32_t)((int32_t)(((Il2CppArray *)L_21)->max_length)))); int32_t* L_22 = ___leftOver; V_2 = ((int32_t)((int32_t)(*((int32_t*)L_22))>>(int32_t)8)); int32_t* L_23 = ___leftOver; V_3 = ((int32_t)((int32_t)(*((int32_t*)L_23))&(int32_t)((int32_t)255))); IL2CPP_RUNTIME_CLASS_INIT(UTF7Encoding_t445806535_il2cpp_TypeInfo_var); ByteU5BU5D_t58506160* L_24 = ((UTF7Encoding_t445806535_StaticFields*)UTF7Encoding_t445806535_il2cpp_TypeInfo_var->static_fields)->get_encodingRules_29(); V_4 = L_24; V_5 = _stringLiteral3958812739; goto IL_02f2; } IL_00bf: { CharU5BU5D_t3416858730* L_25 = ___chars; int32_t L_26 = ___charIndex; int32_t L_27 = L_26; ___charIndex = ((int32_t)((int32_t)L_27+(int32_t)1)); NullCheck(L_25); IL2CPP_ARRAY_BOUNDS_CHECK(L_25, L_27); int32_t L_28 = L_27; V_6 = ((L_25)->GetAt(static_cast<il2cpp_array_size_t>(L_28))); int32_t L_29 = ___charCount; ___charCount = ((int32_t)((int32_t)L_29-(int32_t)1)); int32_t L_30 = V_6; if ((((int32_t)L_30) >= ((int32_t)((int32_t)128)))) { goto IL_00e6; } } { ByteU5BU5D_t58506160* L_31 = V_4; int32_t L_32 = V_6; NullCheck(L_31); IL2CPP_ARRAY_BOUNDS_CHECK(L_31, L_32); int32_t L_33 = L_32; V_7 = ((L_31)->GetAt(static_cast<il2cpp_array_size_t>(L_33))); goto IL_00e9; } IL_00e6: { V_7 = 0; } IL_00e9: { int32_t L_34 = V_7; V_8 = L_34; int32_t L_35 = V_8; if (L_35 == 0) { goto IL_0109; } if (L_35 == 1) { goto IL_019d; } if (L_35 == 2) { goto IL_023a; } if (L_35 == 3) { goto IL_024b; } } { goto IL_02f2; } IL_0109: { bool* L_36 = ___isInShifted; if ((*((int8_t*)L_36))) { goto IL_013c; } } { int32_t L_37 = V_0; int32_t L_38 = V_1; if ((((int32_t)L_37) < ((int32_t)L_38))) { goto IL_012d; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_39 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_40 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_40, L_39, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_40); } IL_012d: { ByteU5BU5D_t58506160* L_41 = ___bytes; int32_t L_42 = V_0; int32_t L_43 = L_42; V_0 = ((int32_t)((int32_t)L_43+(int32_t)1)); NullCheck(L_41); IL2CPP_ARRAY_BOUNDS_CHECK(L_41, L_43); (L_41)->SetAt(static_cast<il2cpp_array_size_t>(L_43), (uint8_t)((int32_t)43)); bool* L_44 = ___isInShifted; *((int8_t*)(L_44)) = (int8_t)1; V_2 = 0; } IL_013c: { int32_t L_45 = V_3; int32_t L_46 = V_6; V_3 = ((int32_t)((int32_t)((int32_t)((int32_t)L_45<<(int32_t)((int32_t)16)))|(int32_t)L_46)); int32_t L_47 = V_2; V_2 = ((int32_t)((int32_t)L_47+(int32_t)((int32_t)16))); goto IL_0191; } IL_014e: { int32_t L_48 = V_0; int32_t L_49 = V_1; if ((((int32_t)L_48) < ((int32_t)L_49))) { goto IL_016a; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_50 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_51 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_51, L_50, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_51); } IL_016a: { int32_t L_52 = V_2; V_2 = ((int32_t)((int32_t)L_52-(int32_t)6)); ByteU5BU5D_t58506160* L_53 = ___bytes; int32_t L_54 = V_0; int32_t L_55 = L_54; V_0 = ((int32_t)((int32_t)L_55+(int32_t)1)); String_t* L_56 = V_5; int32_t L_57 = V_3; int32_t L_58 = V_2; NullCheck(L_56); uint16_t L_59 = String_get_Chars_m3015341861(L_56, ((int32_t)((int32_t)L_57>>(int32_t)((int32_t)((int32_t)L_58&(int32_t)((int32_t)31))))), /*hidden argument*/NULL); NullCheck(L_53); IL2CPP_ARRAY_BOUNDS_CHECK(L_53, L_55); (L_53)->SetAt(static_cast<il2cpp_array_size_t>(L_55), (uint8_t)(((int32_t)((uint8_t)L_59)))); int32_t L_60 = V_3; int32_t L_61 = V_2; V_3 = ((int32_t)((int32_t)L_60&(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)1<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_61&(int32_t)((int32_t)31)))&(int32_t)((int32_t)31)))))-(int32_t)1)))); } IL_0191: { int32_t L_62 = V_2; if ((((int32_t)L_62) >= ((int32_t)6))) { goto IL_014e; } } { goto IL_02f2; } IL_019d: { bool* L_63 = ___isInShifted; if (!(*((int8_t*)L_63))) { goto IL_020f; } } { int32_t L_64 = V_2; if (!L_64) { goto IL_01e0; } } { int32_t L_65 = V_0; int32_t L_66 = V_1; if ((((int32_t)((int32_t)((int32_t)L_65+(int32_t)1))) <= ((int32_t)L_66))) { goto IL_01c9; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_67 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_68 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_68, L_67, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_68); } IL_01c9: { ByteU5BU5D_t58506160* L_69 = ___bytes; int32_t L_70 = V_0; int32_t L_71 = L_70; V_0 = ((int32_t)((int32_t)L_71+(int32_t)1)); String_t* L_72 = V_5; int32_t L_73 = V_3; int32_t L_74 = V_2; NullCheck(L_72); uint16_t L_75 = String_get_Chars_m3015341861(L_72, ((int32_t)((int32_t)L_73<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)6-(int32_t)L_74))&(int32_t)((int32_t)31))))), /*hidden argument*/NULL); NullCheck(L_69); IL2CPP_ARRAY_BOUNDS_CHECK(L_69, L_71); (L_69)->SetAt(static_cast<il2cpp_array_size_t>(L_71), (uint8_t)(((int32_t)((uint8_t)L_75)))); } IL_01e0: { int32_t L_76 = V_0; int32_t L_77 = V_1; if ((((int32_t)((int32_t)((int32_t)L_76+(int32_t)1))) <= ((int32_t)L_77))) { goto IL_01fe; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_78 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_79 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_79, L_78, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_79); } IL_01fe: { ByteU5BU5D_t58506160* L_80 = ___bytes; int32_t L_81 = V_0; int32_t L_82 = L_81; V_0 = ((int32_t)((int32_t)L_82+(int32_t)1)); NullCheck(L_80); IL2CPP_ARRAY_BOUNDS_CHECK(L_80, L_82); (L_80)->SetAt(static_cast<il2cpp_array_size_t>(L_82), (uint8_t)((int32_t)45)); bool* L_83 = ___isInShifted; *((int8_t*)(L_83)) = (int8_t)0; V_2 = 0; V_3 = 0; } IL_020f: { int32_t L_84 = V_0; int32_t L_85 = V_1; if ((((int32_t)L_84) < ((int32_t)L_85))) { goto IL_022b; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_86 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_87 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_87, L_86, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_87); } IL_022b: { ByteU5BU5D_t58506160* L_88 = ___bytes; int32_t L_89 = V_0; int32_t L_90 = L_89; V_0 = ((int32_t)((int32_t)L_90+(int32_t)1)); int32_t L_91 = V_6; NullCheck(L_88); IL2CPP_ARRAY_BOUNDS_CHECK(L_88, L_90); (L_88)->SetAt(static_cast<il2cpp_array_size_t>(L_90), (uint8_t)(((int32_t)((uint8_t)L_91)))); goto IL_02f2; } IL_023a: { bool L_92 = ___allowOptionals; if (!L_92) { goto IL_0246; } } { goto IL_019d; } IL_0246: { goto IL_0109; } IL_024b: { bool* L_93 = ___isInShifted; if (!(*((int8_t*)L_93))) { goto IL_02bd; } } { int32_t L_94 = V_2; if (!L_94) { goto IL_028e; } } { int32_t L_95 = V_0; int32_t L_96 = V_1; if ((((int32_t)((int32_t)((int32_t)L_95+(int32_t)1))) <= ((int32_t)L_96))) { goto IL_0277; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_97 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_98 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_98, L_97, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_98); } IL_0277: { ByteU5BU5D_t58506160* L_99 = ___bytes; int32_t L_100 = V_0; int32_t L_101 = L_100; V_0 = ((int32_t)((int32_t)L_101+(int32_t)1)); String_t* L_102 = V_5; int32_t L_103 = V_3; int32_t L_104 = V_2; NullCheck(L_102); uint16_t L_105 = String_get_Chars_m3015341861(L_102, ((int32_t)((int32_t)L_103<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)6-(int32_t)L_104))&(int32_t)((int32_t)31))))), /*hidden argument*/NULL); NullCheck(L_99); IL2CPP_ARRAY_BOUNDS_CHECK(L_99, L_101); (L_99)->SetAt(static_cast<il2cpp_array_size_t>(L_101), (uint8_t)(((int32_t)((uint8_t)L_105)))); } IL_028e: { int32_t L_106 = V_0; int32_t L_107 = V_1; if ((((int32_t)((int32_t)((int32_t)L_106+(int32_t)1))) <= ((int32_t)L_107))) { goto IL_02ac; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_108 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_109 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_109, L_108, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_109); } IL_02ac: { ByteU5BU5D_t58506160* L_110 = ___bytes; int32_t L_111 = V_0; int32_t L_112 = L_111; V_0 = ((int32_t)((int32_t)L_112+(int32_t)1)); NullCheck(L_110); IL2CPP_ARRAY_BOUNDS_CHECK(L_110, L_112); (L_110)->SetAt(static_cast<il2cpp_array_size_t>(L_112), (uint8_t)((int32_t)45)); bool* L_113 = ___isInShifted; *((int8_t*)(L_113)) = (int8_t)0; V_2 = 0; V_3 = 0; } IL_02bd: { int32_t L_114 = V_0; int32_t L_115 = V_1; if ((((int32_t)((int32_t)((int32_t)L_114+(int32_t)2))) <= ((int32_t)L_115))) { goto IL_02db; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_116 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_117 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_117, L_116, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_117); } IL_02db: { ByteU5BU5D_t58506160* L_118 = ___bytes; int32_t L_119 = V_0; int32_t L_120 = L_119; V_0 = ((int32_t)((int32_t)L_120+(int32_t)1)); NullCheck(L_118); IL2CPP_ARRAY_BOUNDS_CHECK(L_118, L_120); (L_118)->SetAt(static_cast<il2cpp_array_size_t>(L_120), (uint8_t)((int32_t)43)); ByteU5BU5D_t58506160* L_121 = ___bytes; int32_t L_122 = V_0; int32_t L_123 = L_122; V_0 = ((int32_t)((int32_t)L_123+(int32_t)1)); NullCheck(L_121); IL2CPP_ARRAY_BOUNDS_CHECK(L_121, L_123); (L_121)->SetAt(static_cast<il2cpp_array_size_t>(L_123), (uint8_t)((int32_t)45)); goto IL_02f2; } IL_02f2: { int32_t L_124 = ___charCount; if ((((int32_t)L_124) > ((int32_t)0))) { goto IL_00bf; } } { bool* L_125 = ___isInShifted; if (!(*((int8_t*)L_125))) { goto IL_0354; } } { bool L_126 = ___flush; if (!L_126) { goto IL_0354; } } { int32_t L_127 = V_2; if (!L_127) { goto IL_0343; } } { int32_t L_128 = V_0; int32_t L_129 = V_1; if ((((int32_t)((int32_t)((int32_t)L_128+(int32_t)1))) <= ((int32_t)L_129))) { goto IL_032c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_130 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_131 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_131, L_130, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_131); } IL_032c: { ByteU5BU5D_t58506160* L_132 = ___bytes; int32_t L_133 = V_0; int32_t L_134 = L_133; V_0 = ((int32_t)((int32_t)L_134+(int32_t)1)); String_t* L_135 = V_5; int32_t L_136 = V_3; int32_t L_137 = V_2; NullCheck(L_135); uint16_t L_138 = String_get_Chars_m3015341861(L_135, ((int32_t)((int32_t)L_136<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)6-(int32_t)L_137))&(int32_t)((int32_t)31))))), /*hidden argument*/NULL); NullCheck(L_132); IL2CPP_ARRAY_BOUNDS_CHECK(L_132, L_134); (L_132)->SetAt(static_cast<il2cpp_array_size_t>(L_134), (uint8_t)(((int32_t)((uint8_t)L_138)))); } IL_0343: { ByteU5BU5D_t58506160* L_139 = ___bytes; int32_t L_140 = V_0; int32_t L_141 = L_140; V_0 = ((int32_t)((int32_t)L_141+(int32_t)1)); NullCheck(L_139); IL2CPP_ARRAY_BOUNDS_CHECK(L_139, L_141); (L_139)->SetAt(static_cast<il2cpp_array_size_t>(L_141), (uint8_t)((int32_t)45)); V_2 = 0; V_3 = 0; bool* L_142 = ___isInShifted; *((int8_t*)(L_142)) = (int8_t)0; } IL_0354: { int32_t* L_143 = ___leftOver; int32_t L_144 = V_2; int32_t L_145 = V_3; *((int32_t*)(L_143)) = (int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_144<<(int32_t)8))|(int32_t)L_145)); int32_t L_146 = V_0; int32_t L_147 = ___byteIndex; return ((int32_t)((int32_t)L_146-(int32_t)L_147)); } } // System.Int32 System.Text.UTF7Encoding::GetBytes(System.Char[],System.Int32,System.Int32,System.Byte[],System.Int32) extern TypeInfo* UTF7Encoding_t445806535_il2cpp_TypeInfo_var; extern const uint32_t UTF7Encoding_GetBytes_m3199141377_MetadataUsageId; extern "C" int32_t UTF7Encoding_GetBytes_m3199141377 (UTF7Encoding_t445806535 * __this, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_GetBytes_m3199141377_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; bool V_1 = false; { V_0 = 0; V_1 = (bool)0; CharU5BU5D_t3416858730* L_0 = ___chars; int32_t L_1 = ___charIndex; int32_t L_2 = ___charCount; ByteU5BU5D_t58506160* L_3 = ___bytes; int32_t L_4 = ___byteIndex; bool L_5 = __this->get_allowOptionals_28(); IL2CPP_RUNTIME_CLASS_INIT(UTF7Encoding_t445806535_il2cpp_TypeInfo_var); int32_t L_6 = UTF7Encoding_InternalGetBytes_m3747805498(NULL /*static, unused*/, L_0, L_1, L_2, L_3, L_4, (bool)1, (&V_0), (&V_1), L_5, /*hidden argument*/NULL); return L_6; } } // System.Int32 System.Text.UTF7Encoding::InternalGetCharCount(System.Byte[],System.Int32,System.Int32,System.Int32) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* UTF7Encoding_t445806535_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral100346066; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral94851343; extern const uint32_t UTF7Encoding_InternalGetCharCount_m2327269409_MetadataUsageId; extern "C" int32_t UTF7Encoding_InternalGetCharCount_m2327269409 (Il2CppObject * __this /* static, unused */, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, int32_t ___leftOver, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_InternalGetCharCount_m2327269409_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; bool V_2 = false; bool V_3 = false; int32_t V_4 = 0; SByteU5BU5D_t1084170289* V_5 = NULL; { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { int32_t L_2 = ___index; if ((((int32_t)L_2) < ((int32_t)0))) { goto IL_0021; } } { int32_t L_3 = ___index; ByteU5BU5D_t58506160* L_4 = ___bytes; NullCheck(L_4); if ((((int32_t)L_3) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_4)->max_length))))))) { goto IL_0036; } } IL_0021: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_5 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_6 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_6, _stringLiteral100346066, L_5, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6); } IL_0036: { int32_t L_7 = ___count; if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_0048; } } { int32_t L_8 = ___count; ByteU5BU5D_t58506160* L_9 = ___bytes; NullCheck(L_9); int32_t L_10 = ___index; if ((((int32_t)L_8) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_9)->max_length))))-(int32_t)L_10))))) { goto IL_005d; } } IL_0048: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_11 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_12 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_12, _stringLiteral94851343, L_11, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12); } IL_005d: { V_0 = 0; int32_t L_13 = ___leftOver; V_2 = (bool)((((int32_t)((int32_t)((int32_t)L_13&(int32_t)((int32_t)16777216)))) == ((int32_t)0))? 1 : 0); int32_t L_14 = ___leftOver; V_3 = (bool)((((int32_t)((((int32_t)((int32_t)((int32_t)L_14&(int32_t)((int32_t)33554432)))) == ((int32_t)0))? 1 : 0)) == ((int32_t)0))? 1 : 0); int32_t L_15 = ___leftOver; V_4 = ((int32_t)((int32_t)((int32_t)((int32_t)L_15>>(int32_t)((int32_t)16)))&(int32_t)((int32_t)255))); IL2CPP_RUNTIME_CLASS_INIT(UTF7Encoding_t445806535_il2cpp_TypeInfo_var); SByteU5BU5D_t1084170289* L_16 = ((UTF7Encoding_t445806535_StaticFields*)UTF7Encoding_t445806535_il2cpp_TypeInfo_var->static_fields)->get_base64Values_30(); V_5 = L_16; goto IL_010f; } IL_0090: { ByteU5BU5D_t58506160* L_17 = ___bytes; int32_t L_18 = ___index; int32_t L_19 = L_18; ___index = ((int32_t)((int32_t)L_19+(int32_t)1)); NullCheck(L_17); IL2CPP_ARRAY_BOUNDS_CHECK(L_17, L_19); int32_t L_20 = L_19; V_1 = ((L_17)->GetAt(static_cast<il2cpp_array_size_t>(L_20))); int32_t L_21 = ___count; ___count = ((int32_t)((int32_t)L_21-(int32_t)1)); bool L_22 = V_2; if (!L_22) { goto IL_00be; } } { int32_t L_23 = V_1; if ((((int32_t)L_23) == ((int32_t)((int32_t)43)))) { goto IL_00b5; } } { int32_t L_24 = V_0; V_0 = ((int32_t)((int32_t)L_24+(int32_t)1)); goto IL_00b9; } IL_00b5: { V_2 = (bool)0; V_3 = (bool)1; } IL_00b9: { goto IL_010f; } IL_00be: { int32_t L_25 = V_1; if ((!(((uint32_t)L_25) == ((uint32_t)((int32_t)45))))) { goto IL_00da; } } { bool L_26 = V_3; if (!L_26) { goto IL_00d0; } } { int32_t L_27 = V_0; V_0 = ((int32_t)((int32_t)L_27+(int32_t)1)); } IL_00d0: { V_4 = 0; V_2 = (bool)1; goto IL_010d; } IL_00da: { SByteU5BU5D_t1084170289* L_28 = V_5; int32_t L_29 = V_1; NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, L_29); int32_t L_30 = L_29; if ((((int32_t)(((int32_t)((int32_t)((L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_30))))))) == ((int32_t)(-1)))) { goto IL_0104; } } { int32_t L_31 = V_4; V_4 = ((int32_t)((int32_t)L_31+(int32_t)6)); int32_t L_32 = V_4; if ((((int32_t)L_32) < ((int32_t)((int32_t)16)))) { goto IL_00ff; } } { int32_t L_33 = V_0; V_0 = ((int32_t)((int32_t)L_33+(int32_t)1)); int32_t L_34 = V_4; V_4 = ((int32_t)((int32_t)L_34-(int32_t)((int32_t)16))); } IL_00ff: { goto IL_010d; } IL_0104: { int32_t L_35 = V_0; V_0 = ((int32_t)((int32_t)L_35+(int32_t)1)); V_2 = (bool)1; V_4 = 0; } IL_010d: { V_3 = (bool)0; } IL_010f: { int32_t L_36 = ___count; if ((((int32_t)L_36) > ((int32_t)0))) { goto IL_0090; } } { int32_t L_37 = V_0; return L_37; } } // System.Int32 System.Text.UTF7Encoding::GetCharCount(System.Byte[],System.Int32,System.Int32) extern TypeInfo* UTF7Encoding_t445806535_il2cpp_TypeInfo_var; extern const uint32_t UTF7Encoding_GetCharCount_m93095219_MetadataUsageId; extern "C" int32_t UTF7Encoding_GetCharCount_m93095219 (UTF7Encoding_t445806535 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_GetCharCount_m93095219_MetadataUsageId); s_Il2CppMethodIntialized = true; } { ByteU5BU5D_t58506160* L_0 = ___bytes; int32_t L_1 = ___index; int32_t L_2 = ___count; IL2CPP_RUNTIME_CLASS_INIT(UTF7Encoding_t445806535_il2cpp_TypeInfo_var); int32_t L_3 = UTF7Encoding_InternalGetCharCount_m2327269409(NULL /*static, unused*/, L_0, L_1, L_2, 0, /*hidden argument*/NULL); return L_3; } } // System.Int32 System.Text.UTF7Encoding::InternalGetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32,System.Int32&) extern TypeInfo* ArgumentNullException_t3214793280_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern TypeInfo* UTF7Encoding_t445806535_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral94224491; extern Il2CppCodeGenString* _stringLiteral94623709; extern Il2CppCodeGenString* _stringLiteral2223324330; extern Il2CppCodeGenString* _stringLiteral4008952993; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1542343452; extern Il2CppCodeGenString* _stringLiteral2221012186; extern Il2CppCodeGenString* _stringLiteral1639411038; extern const uint32_t UTF7Encoding_InternalGetChars_m504744357_MetadataUsageId; extern "C" int32_t UTF7Encoding_InternalGetChars_m504744357 (Il2CppObject * __this /* static, unused */, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, int32_t ___byteCount, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, int32_t* ___leftOver, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_InternalGetChars_m504744357_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; int32_t V_3 = 0; bool V_4 = false; bool V_5 = false; bool V_6 = false; int32_t V_7 = 0; int32_t V_8 = 0; SByteU5BU5D_t1084170289* V_9 = NULL; uint16_t V_10 = 0x0; int32_t G_B52_0 = 0; int32_t* G_B52_1 = NULL; int32_t G_B51_0 = 0; int32_t* G_B51_1 = NULL; int32_t G_B53_0 = 0; int32_t G_B53_1 = 0; int32_t* G_B53_2 = NULL; int32_t G_B55_0 = 0; int32_t* G_B55_1 = NULL; int32_t G_B54_0 = 0; int32_t* G_B54_1 = NULL; int32_t G_B56_0 = 0; int32_t G_B56_1 = 0; int32_t* G_B56_2 = NULL; int32_t G_B58_0 = 0; int32_t* G_B58_1 = NULL; int32_t G_B57_0 = 0; int32_t* G_B57_1 = NULL; int32_t G_B59_0 = 0; int32_t G_B59_1 = 0; int32_t* G_B59_2 = NULL; { ByteU5BU5D_t58506160* L_0 = ___bytes; if (L_0) { goto IL_0011; } } { ArgumentNullException_t3214793280 * L_1 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_1, _stringLiteral94224491, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1); } IL_0011: { CharU5BU5D_t3416858730* L_2 = ___chars; if (L_2) { goto IL_0022; } } { ArgumentNullException_t3214793280 * L_3 = (ArgumentNullException_t3214793280 *)il2cpp_codegen_object_new(ArgumentNullException_t3214793280_il2cpp_TypeInfo_var); ArgumentNullException__ctor_m135444188(L_3, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3); } IL_0022: { int32_t L_4 = ___byteIndex; if ((((int32_t)L_4) < ((int32_t)0))) { goto IL_0032; } } { int32_t L_5 = ___byteIndex; ByteU5BU5D_t58506160* L_6 = ___bytes; NullCheck(L_6); if ((((int32_t)L_5) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_6)->max_length))))))) { goto IL_0047; } } IL_0032: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_8 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_8, _stringLiteral2223324330, L_7, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0047: { int32_t L_9 = ___byteCount; if ((((int32_t)L_9) < ((int32_t)0))) { goto IL_0059; } } { int32_t L_10 = ___byteCount; ByteU5BU5D_t58506160* L_11 = ___bytes; NullCheck(L_11); int32_t L_12 = ___byteIndex; if ((((int32_t)L_10) <= ((int32_t)((int32_t)((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_11)->max_length))))-(int32_t)L_12))))) { goto IL_006e; } } IL_0059: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_13 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_14 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_14, _stringLiteral2217829607, L_13, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_14); } IL_006e: { int32_t L_15 = ___charIndex; if ((((int32_t)L_15) < ((int32_t)0))) { goto IL_0080; } } { int32_t L_16 = ___charIndex; CharU5BU5D_t3416858730* L_17 = ___chars; NullCheck(L_17); if ((((int32_t)L_16) <= ((int32_t)(((int32_t)((int32_t)(((Il2CppArray *)L_17)->max_length))))))) { goto IL_0095; } } IL_0080: { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_18 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral4008952993, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_19 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_19, _stringLiteral1542343452, L_18, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_19); } IL_0095: { int32_t L_20 = ___charIndex; V_0 = L_20; CharU5BU5D_t3416858730* L_21 = ___chars; NullCheck(L_21); V_1 = (((int32_t)((int32_t)(((Il2CppArray *)L_21)->max_length)))); int32_t* L_22 = ___leftOver; V_4 = (bool)((((int32_t)((int32_t)((int32_t)(*((int32_t*)L_22))&(int32_t)((int32_t)16777216)))) == ((int32_t)0))? 1 : 0); int32_t* L_23 = ___leftOver; V_5 = (bool)((((int32_t)((((int32_t)((int32_t)((int32_t)(*((int32_t*)L_23))&(int32_t)((int32_t)33554432)))) == ((int32_t)0))? 1 : 0)) == ((int32_t)0))? 1 : 0); int32_t* L_24 = ___leftOver; V_6 = (bool)((((int32_t)((((int32_t)((int32_t)((int32_t)(*((int32_t*)L_24))&(int32_t)((int32_t)67108864)))) == ((int32_t)0))? 1 : 0)) == ((int32_t)0))? 1 : 0); int32_t* L_25 = ___leftOver; V_7 = ((int32_t)((int32_t)((int32_t)((int32_t)(*((int32_t*)L_25))>>(int32_t)((int32_t)16)))&(int32_t)((int32_t)255))); int32_t* L_26 = ___leftOver; V_8 = ((int32_t)((int32_t)(*((int32_t*)L_26))&(int32_t)((int32_t)65535))); IL2CPP_RUNTIME_CLASS_INIT(UTF7Encoding_t445806535_il2cpp_TypeInfo_var); SByteU5BU5D_t1084170289* L_27 = ((UTF7Encoding_t445806535_StaticFields*)UTF7Encoding_t445806535_il2cpp_TypeInfo_var->static_fields)->get_base64Values_30(); V_9 = L_27; goto IL_02c6; } IL_00f1: { ByteU5BU5D_t58506160* L_28 = ___bytes; int32_t L_29 = ___byteIndex; int32_t L_30 = L_29; ___byteIndex = ((int32_t)((int32_t)L_30+(int32_t)1)); NullCheck(L_28); IL2CPP_ARRAY_BOUNDS_CHECK(L_28, L_30); int32_t L_31 = L_30; V_2 = ((L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_31))); int32_t L_32 = ___byteCount; ___byteCount = ((int32_t)((int32_t)L_32-(int32_t)1)); bool L_33 = V_4; if (!L_33) { goto IL_015f; } } { int32_t L_34 = V_2; if ((((int32_t)L_34) == ((int32_t)((int32_t)43)))) { goto IL_0154; } } { int32_t L_35 = V_0; int32_t L_36 = V_1; if ((((int32_t)L_35) < ((int32_t)L_36))) { goto IL_012a; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_37 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_38 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_38, L_37, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_38); } IL_012a: { bool L_39 = V_6; if (!L_39) { goto IL_0146; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_40 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1639411038, /*hidden argument*/NULL); ArgumentException_t124305799 * L_41 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_41, L_40, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_41); } IL_0146: { CharU5BU5D_t3416858730* L_42 = ___chars; int32_t L_43 = V_0; int32_t L_44 = L_43; V_0 = ((int32_t)((int32_t)L_44+(int32_t)1)); int32_t L_45 = V_2; NullCheck(L_42); IL2CPP_ARRAY_BOUNDS_CHECK(L_42, L_44); (L_42)->SetAt(static_cast<il2cpp_array_size_t>(L_44), (uint16_t)(((int32_t)((uint16_t)L_45)))); goto IL_015a; } IL_0154: { V_4 = (bool)0; V_5 = (bool)1; } IL_015a: { goto IL_02c6; } IL_015f: { int32_t L_46 = V_2; if ((!(((uint32_t)L_46) == ((uint32_t)((int32_t)45))))) { goto IL_01bd; } } { bool L_47 = V_5; if (!L_47) { goto IL_01af; } } { int32_t L_48 = V_0; int32_t L_49 = V_1; if ((((int32_t)L_48) < ((int32_t)L_49))) { goto IL_018a; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_50 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_51 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_51, L_50, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_51); } IL_018a: { bool L_52 = V_6; if (!L_52) { goto IL_01a6; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_53 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1639411038, /*hidden argument*/NULL); ArgumentException_t124305799 * L_54 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_54, L_53, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_54); } IL_01a6: { CharU5BU5D_t3416858730* L_55 = ___chars; int32_t L_56 = V_0; int32_t L_57 = L_56; V_0 = ((int32_t)((int32_t)L_57+(int32_t)1)); NullCheck(L_55); IL2CPP_ARRAY_BOUNDS_CHECK(L_55, L_57); (L_55)->SetAt(static_cast<il2cpp_array_size_t>(L_57), (uint16_t)((int32_t)43)); } IL_01af: { V_4 = (bool)1; V_7 = 0; V_8 = 0; goto IL_02c3; } IL_01bd: { SByteU5BU5D_t1084170289* L_58 = V_9; int32_t L_59 = V_2; NullCheck(L_58); IL2CPP_ARRAY_BOUNDS_CHECK(L_58, L_59); int32_t L_60 = L_59; int32_t L_61 = (((int32_t)((int32_t)((L_58)->GetAt(static_cast<il2cpp_array_size_t>(L_60)))))); V_3 = L_61; if ((((int32_t)L_61) == ((int32_t)(-1)))) { goto IL_0279; } } { int32_t L_62 = V_8; int32_t L_63 = V_3; V_8 = ((int32_t)((int32_t)((int32_t)((int32_t)L_62<<(int32_t)6))|(int32_t)L_63)); int32_t L_64 = V_7; V_7 = ((int32_t)((int32_t)L_64+(int32_t)6)); int32_t L_65 = V_7; if ((((int32_t)L_65) < ((int32_t)((int32_t)16)))) { goto IL_0274; } } { int32_t L_66 = V_0; int32_t L_67 = V_1; if ((((int32_t)L_66) < ((int32_t)L_67))) { goto IL_01fd; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_68 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_69 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_69, L_68, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_69); } IL_01fd: { int32_t L_70 = V_7; V_7 = ((int32_t)((int32_t)L_70-(int32_t)((int32_t)16))); int32_t L_71 = V_8; int32_t L_72 = V_7; V_10 = (((int32_t)((uint16_t)((int32_t)((int32_t)L_71>>(int32_t)((int32_t)((int32_t)L_72&(int32_t)((int32_t)31)))))))); uint16_t L_73 = V_10; if ((!(((uint32_t)((int32_t)((int32_t)L_73&(int32_t)((int32_t)64512)))) == ((uint32_t)((int32_t)55296))))) { goto IL_0229; } } { V_6 = (bool)1; goto IL_025a; } IL_0229: { uint16_t L_74 = V_10; if ((!(((uint32_t)((int32_t)((int32_t)L_74&(int32_t)((int32_t)64512)))) == ((uint32_t)((int32_t)56320))))) { goto IL_025a; } } { bool L_75 = V_6; if (L_75) { goto IL_0257; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_76 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1639411038, /*hidden argument*/NULL); ArgumentException_t124305799 * L_77 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_77, L_76, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_77); } IL_0257: { V_6 = (bool)0; } IL_025a: { CharU5BU5D_t3416858730* L_78 = ___chars; int32_t L_79 = V_0; int32_t L_80 = L_79; V_0 = ((int32_t)((int32_t)L_80+(int32_t)1)); uint16_t L_81 = V_10; NullCheck(L_78); IL2CPP_ARRAY_BOUNDS_CHECK(L_78, L_80); (L_78)->SetAt(static_cast<il2cpp_array_size_t>(L_80), (uint16_t)L_81); int32_t L_82 = V_8; int32_t L_83 = V_7; V_8 = ((int32_t)((int32_t)L_82&(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)1<<(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_83&(int32_t)((int32_t)31)))&(int32_t)((int32_t)31)))))-(int32_t)1)))); } IL_0274: { goto IL_02c3; } IL_0279: { int32_t L_84 = V_0; int32_t L_85 = V_1; if ((((int32_t)L_84) < ((int32_t)L_85))) { goto IL_0295; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_86 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral2221012186, /*hidden argument*/NULL); ArgumentException_t124305799 * L_87 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_87, L_86, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_87); } IL_0295: { bool L_88 = V_6; if (!L_88) { goto IL_02b1; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_89 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1639411038, /*hidden argument*/NULL); ArgumentException_t124305799 * L_90 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_90, L_89, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_90); } IL_02b1: { CharU5BU5D_t3416858730* L_91 = ___chars; int32_t L_92 = V_0; int32_t L_93 = L_92; V_0 = ((int32_t)((int32_t)L_93+(int32_t)1)); int32_t L_94 = V_2; NullCheck(L_91); IL2CPP_ARRAY_BOUNDS_CHECK(L_91, L_93); (L_91)->SetAt(static_cast<il2cpp_array_size_t>(L_93), (uint16_t)(((int32_t)((uint16_t)L_94)))); V_4 = (bool)1; V_7 = 0; V_8 = 0; } IL_02c3: { V_5 = (bool)0; } IL_02c6: { int32_t L_95 = ___byteCount; if ((((int32_t)L_95) > ((int32_t)0))) { goto IL_00f1; } } { int32_t* L_96 = ___leftOver; int32_t L_97 = V_8; int32_t L_98 = V_7; bool L_99 = V_4; G_B51_0 = ((int32_t)((int32_t)L_97|(int32_t)((int32_t)((int32_t)L_98<<(int32_t)((int32_t)16))))); G_B51_1 = L_96; if (!L_99) { G_B52_0 = ((int32_t)((int32_t)L_97|(int32_t)((int32_t)((int32_t)L_98<<(int32_t)((int32_t)16))))); G_B52_1 = L_96; goto IL_02e4; } } { G_B53_0 = 0; G_B53_1 = G_B51_0; G_B53_2 = G_B51_1; goto IL_02e9; } IL_02e4: { G_B53_0 = ((int32_t)16777216); G_B53_1 = G_B52_0; G_B53_2 = G_B52_1; } IL_02e9: { bool L_100 = V_5; G_B54_0 = ((int32_t)((int32_t)G_B53_1|(int32_t)G_B53_0)); G_B54_1 = G_B53_2; if (!L_100) { G_B55_0 = ((int32_t)((int32_t)G_B53_1|(int32_t)G_B53_0)); G_B55_1 = G_B53_2; goto IL_02fb; } } { G_B56_0 = ((int32_t)33554432); G_B56_1 = G_B54_0; G_B56_2 = G_B54_1; goto IL_02fc; } IL_02fb: { G_B56_0 = 0; G_B56_1 = G_B55_0; G_B56_2 = G_B55_1; } IL_02fc: { bool L_101 = V_6; G_B57_0 = ((int32_t)((int32_t)G_B56_1|(int32_t)G_B56_0)); G_B57_1 = G_B56_2; if (!L_101) { G_B58_0 = ((int32_t)((int32_t)G_B56_1|(int32_t)G_B56_0)); G_B58_1 = G_B56_2; goto IL_030e; } } { G_B59_0 = ((int32_t)67108864); G_B59_1 = G_B57_0; G_B59_2 = G_B57_1; goto IL_030f; } IL_030e: { G_B59_0 = 0; G_B59_1 = G_B58_0; G_B59_2 = G_B58_1; } IL_030f: { *((int32_t*)(G_B59_2)) = (int32_t)((int32_t)((int32_t)G_B59_1|(int32_t)G_B59_0)); int32_t L_102 = V_0; int32_t L_103 = ___charIndex; return ((int32_t)((int32_t)L_102-(int32_t)L_103)); } } // System.Int32 System.Text.UTF7Encoding::GetChars(System.Byte[],System.Int32,System.Int32,System.Char[],System.Int32) extern TypeInfo* UTF7Encoding_t445806535_il2cpp_TypeInfo_var; extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentException_t124305799_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1639411038; extern Il2CppCodeGenString* _stringLiteral94623709; extern const uint32_t UTF7Encoding_GetChars_m1244424819_MetadataUsageId; extern "C" int32_t UTF7Encoding_GetChars_m1244424819 (UTF7Encoding_t445806535 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, int32_t ___byteCount, CharU5BU5D_t3416858730* ___chars, int32_t ___charIndex, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_GetChars_m1244424819_MetadataUsageId); s_Il2CppMethodIntialized = true; } int32_t V_0 = 0; int32_t V_1 = 0; { V_0 = 0; ByteU5BU5D_t58506160* L_0 = ___bytes; int32_t L_1 = ___byteIndex; int32_t L_2 = ___byteCount; CharU5BU5D_t3416858730* L_3 = ___chars; int32_t L_4 = ___charIndex; IL2CPP_RUNTIME_CLASS_INIT(UTF7Encoding_t445806535_il2cpp_TypeInfo_var); int32_t L_5 = UTF7Encoding_InternalGetChars_m504744357(NULL /*static, unused*/, L_0, L_1, L_2, L_3, L_4, (&V_0), /*hidden argument*/NULL); V_1 = L_5; int32_t L_6 = V_0; if (!((int32_t)((int32_t)L_6&(int32_t)((int32_t)67108864)))) { goto IL_0032; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_7 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1639411038, /*hidden argument*/NULL); ArgumentException_t124305799 * L_8 = (ArgumentException_t124305799 *)il2cpp_codegen_object_new(ArgumentException_t124305799_il2cpp_TypeInfo_var); ArgumentException__ctor_m732321503(L_8, L_7, _stringLiteral94623709, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_8); } IL_0032: { int32_t L_9 = V_1; return L_9; } } // System.Int32 System.Text.UTF7Encoding::GetMaxByteCount(System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral1536848729; extern Il2CppCodeGenString* _stringLiteral1982364266; extern const uint32_t UTF7Encoding_GetMaxByteCount_m3189713945_MetadataUsageId; extern "C" int32_t UTF7Encoding_GetMaxByteCount_m3189713945 (UTF7Encoding_t445806535 * __this, int32_t ___charCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_GetMaxByteCount_m3189713945_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___charCount; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_1 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1982364266, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral1536848729, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { int32_t L_3 = ___charCount; if (L_3) { goto IL_0024; } } { return 0; } IL_0024: { int32_t L_4 = ___charCount; int32_t L_5 = ___charCount; return ((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)((int32_t)8*(int32_t)((int32_t)((int32_t)L_4/(int32_t)3))))+(int32_t)((int32_t)((int32_t)((int32_t)((int32_t)L_5%(int32_t)3))*(int32_t)3))))+(int32_t)2)); } } // System.Int32 System.Text.UTF7Encoding::GetMaxCharCount(System.Int32) extern TypeInfo* Encoding_t180559927_il2cpp_TypeInfo_var; extern TypeInfo* ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var; extern Il2CppCodeGenString* _stringLiteral2217829607; extern Il2CppCodeGenString* _stringLiteral1982364266; extern const uint32_t UTF7Encoding_GetMaxCharCount_m3981249291_MetadataUsageId; extern "C" int32_t UTF7Encoding_GetMaxCharCount_m3981249291 (UTF7Encoding_t445806535 * __this, int32_t ___byteCount, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_GetMaxCharCount_m3981249291_MetadataUsageId); s_Il2CppMethodIntialized = true; } { int32_t L_0 = ___byteCount; if ((((int32_t)L_0) >= ((int32_t)0))) { goto IL_001c; } } { IL2CPP_RUNTIME_CLASS_INIT(Encoding_t180559927_il2cpp_TypeInfo_var); String_t* L_1 = Encoding___m2147510347(NULL /*static, unused*/, _stringLiteral1982364266, /*hidden argument*/NULL); ArgumentOutOfRangeException_t3479058991 * L_2 = (ArgumentOutOfRangeException_t3479058991 *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t3479058991_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m1193970951(L_2, _stringLiteral2217829607, L_1, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_2); } IL_001c: { int32_t L_3 = ___byteCount; return L_3; } } // System.Text.Decoder System.Text.UTF7Encoding::GetDecoder() extern TypeInfo* UTF7Decoder_t860338836_il2cpp_TypeInfo_var; extern const uint32_t UTF7Encoding_GetDecoder_m292232534_MetadataUsageId; extern "C" Decoder_t1611780840 * UTF7Encoding_GetDecoder_m292232534 (UTF7Encoding_t445806535 * __this, const MethodInfo* method) { static bool s_Il2CppMethodIntialized; if (!s_Il2CppMethodIntialized) { il2cpp_codegen_initialize_method (UTF7Encoding_GetDecoder_m292232534_MetadataUsageId); s_Il2CppMethodIntialized = true; } { UTF7Decoder_t860338836 * L_0 = (UTF7Decoder_t860338836 *)il2cpp_codegen_object_new(UTF7Decoder_t860338836_il2cpp_TypeInfo_var); UTF7Decoder__ctor_m4062693192(L_0, /*hidden argument*/NULL); return L_0; } } // System.Int32 System.Text.UTF7Encoding::GetByteCount(System.Char*,System.Int32) extern "C" int32_t UTF7Encoding_GetByteCount_m2801467944 (UTF7Encoding_t445806535 * __this, uint16_t* ___chars, int32_t ___count, const MethodInfo* method) { { uint16_t* L_0 = ___chars; int32_t L_1 = ___count; int32_t L_2 = Encoding_GetByteCount_m957110328(__this, (uint16_t*)(uint16_t*)L_0, L_1, /*hidden argument*/NULL); return L_2; } } // System.Int32 System.Text.UTF7Encoding::GetByteCount(System.String) extern "C" int32_t UTF7Encoding_GetByteCount_m3034247550 (UTF7Encoding_t445806535 * __this, String_t* ___s, const MethodInfo* method) { { String_t* L_0 = ___s; int32_t L_1 = Encoding_GetByteCount_m3861962638(__this, L_0, /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Text.UTF7Encoding::GetBytes(System.Char*,System.Int32,System.Byte*,System.Int32) extern "C" int32_t UTF7Encoding_GetBytes_m3752707352 (UTF7Encoding_t445806535 * __this, uint16_t* ___chars, int32_t ___charCount, uint8_t* ___bytes, int32_t ___byteCount, const MethodInfo* method) { { uint16_t* L_0 = ___chars; int32_t L_1 = ___charCount; uint8_t* L_2 = ___bytes; int32_t L_3 = ___byteCount; int32_t L_4 = Encoding_GetBytes_m1804873512(__this, (uint16_t*)(uint16_t*)L_0, L_1, (uint8_t*)(uint8_t*)L_2, L_3, /*hidden argument*/NULL); return L_4; } } // System.Int32 System.Text.UTF7Encoding::GetBytes(System.String,System.Int32,System.Int32,System.Byte[],System.Int32) extern "C" int32_t UTF7Encoding_GetBytes_m2773420058 (UTF7Encoding_t445806535 * __this, String_t* ___s, int32_t ___charIndex, int32_t ___charCount, ByteU5BU5D_t58506160* ___bytes, int32_t ___byteIndex, const MethodInfo* method) { { String_t* L_0 = ___s; int32_t L_1 = ___charIndex; int32_t L_2 = ___charCount; ByteU5BU5D_t58506160* L_3 = ___bytes; int32_t L_4 = ___byteIndex; int32_t L_5 = Encoding_GetBytes_m2409970698(__this, L_0, L_1, L_2, L_3, L_4, /*hidden argument*/NULL); return L_5; } } // System.String System.Text.UTF7Encoding::GetString(System.Byte[],System.Int32,System.Int32) extern "C" String_t* UTF7Encoding_GetString_m138259962 (UTF7Encoding_t445806535 * __this, ByteU5BU5D_t58506160* ___bytes, int32_t ___index, int32_t ___count, const MethodInfo* method) { { ByteU5BU5D_t58506160* L_0 = ___bytes; int32_t L_1 = ___index; int32_t L_2 = ___count; String_t* L_3 = Encoding_GetString_m565750122(__this, L_0, L_1, L_2, /*hidden argument*/NULL); return L_3; } } #ifdef __clang__ #pragma clang diagnostic pop #endif
[ "yuuyuu1492daze@gmail.com" ]
yuuyuu1492daze@gmail.com
e6312df70b48916a88dfd70429e8231b8450ed17
b3c8d304006d6227d406aff4ce9b57a2a21c4eac
/DakaX_Arduino/DakaX/serialComLib.cpp
ad91a90aab696e321003f6c24337d51879b2c963
[]
no_license
sndae/dakax
6db28f33fa2816b1ac0db9d809d1115ba5a539b4
354ead0c28caca9a12fc8eb3cb7bf78e2f768286
refs/heads/master
2016-09-10T21:12:38.586475
2011-12-09T16:07:17
2011-12-09T16:07:17
38,289,928
0
0
null
null
null
null
UTF-8
C++
false
false
6,521
cpp
/* ---------------------------------------------------------------------------- * Serial Communication Lib * ---------------------------------------------------------------------------- * serialComLib.cpp * ---------------------------------------------------------------------------- * prog: max.rheiner@zhdk.ch / Zhdk / Interaction Design * date: 11/16/2011 * ---------------------------------------------------------------------------- */ #include "serialComLib.h" #define MIN_PACKET_LENGTH 5 // 2(header) + 1(commandId) + 1(length) + 1(checksum) = 5 #define TRY_OUT_COUNT 20 SerialComLib::SerialComLib(): _open(false), _serialPort(NULL), _bufferPos(0) { } bool SerialComLib::open(HardwareSerial& serialPort,unsigned long baudRate) { if(_open) return true; _serialPort = &serialPort; // start the hardware uart _serialPort->begin(baudRate); _open = true; return _open; } // send packet void SerialComLib::beginSend(unsigned char cmdId) { _bufferPos = 0; _cmdId = cmdId; } void SerialComLib::sendByte(unsigned char data) { _buffer[_bufferPos++] = data; } void SerialComLib::sendUShort(unsigned short data) { _buffer[_bufferPos++] = 0xff & data; _buffer[_bufferPos++] = (0xff00 & data) >> 8; } void SerialComLib::sendInt(int data) { _buffer[_bufferPos++] = 0xff & data; _buffer[_bufferPos++] = (0xff00 & data) >> 8; /* _buffer[_bufferPos++] = 0xff; _buffer[_bufferPos++] = 0xff; */ } void SerialComLib::sendFloat(float data) { unsigned char* ptr = (unsigned char*)&data; _buffer[_bufferPos++] = *(ptr+0); _buffer[_bufferPos++] = *(ptr+1); _buffer[_bufferPos++] = *(ptr+2); _buffer[_bufferPos++] = *(ptr+3); } void SerialComLib::sendString(const char* str) { unsigned char len = strlen(str); _buffer[_bufferPos++] = len; if(len > 0) { for(int i=0;i < len;i++) _buffer[_bufferPos++] = str[i]; } } void SerialComLib::endSend() { writeCmd(_cmdId, _bufferPos,_buffer); } // readn packet int SerialComLib::readPacket() { if(available() == false) return Error_NoData; _cmdId = 0; _bufferLength = 0; _bufferPos = 0; return readCmd(&_cmdId, &_bufferLength, _buffer,MAX_BUFFER_SIZE); } unsigned char SerialComLib::getCmd() { return _cmdId; } unsigned char SerialComLib::getCmdLength() { return _bufferLength; } unsigned char SerialComLib::getByte() { if(_bufferPos < _bufferLength) return _buffer[_bufferPos++]; return 0; } unsigned short SerialComLib::getUShort() { if(_bufferPos+1 < _bufferLength) { return(_buffer[_bufferPos++] | (_buffer[_bufferPos++] << 8)); } return 0; } unsigned char SerialComLib::getString(unsigned char strLen,char* buffer) { if(_bufferPos < _bufferLength) { unsigned char len = _buffer[_bufferPos++]; if((len > 0) && (_bufferPos + len < _bufferLength)) { for(int i=0;i < len && i < strLen;i++) buffer[i] = _buffer[_bufferPos++]; } return len; } return 0; } float SerialComLib::getFloat() { if(_bufferPos+4 < _bufferLength) { float retVal = 0.0f; unsigned char* ptr = (unsigned char*)&retVal; *(ptr+0) = _buffer[_bufferPos++]; *(ptr+1) = _buffer[_bufferPos++]; *(ptr+2) = _buffer[_bufferPos++]; *(ptr+3) = _buffer[_bufferPos++]; return retVal; } return 0.0f; } bool SerialComLib::isPacketEnd() { return(_bufferPos >= _bufferLength); } unsigned char* SerialComLib::getData() { return _buffer; } bool SerialComLib::available() { return (_serialPort->available() >= MIN_PACKET_LENGTH)? true : false; } void SerialComLib::writeCmd(unsigned char cmdId, unsigned char dataLen, unsigned char* data) { static unsigned char i; // write header _serialPort->write(DATAHEADER1); _serialPort->write(DATAHEADER2); // write commandId _serialPort->write(cmdId); // write data _serialPort->write(dataLen); if(dataLen == 0) _serialPort->write(0xff); // checksum else { for(i=0;i<dataLen;i++) { _serialPort->write(data[i]); //delay(1); } // _serialPort->write(data,dataLen); // calc the checksume and write it _serialPort->write(checksum(dataLen,data)); } } unsigned char SerialComLib::readCmd(unsigned char* cmdId, unsigned char* dataLen, unsigned char* data,unsigned char dataLenMax) { if(findDataHeader()) { // read the data // read commandId if(readBlocked(*_serialPort,1,cmdId) != Ok) return Error_NoData; // read dataLen if(readBlocked(*_serialPort,1,dataLen) != Ok) return Error_NoData; // read data if(*dataLen > dataLenMax) return Error_DataSize; if(*dataLen > 0) { if(readBlocked(*_serialPort,*dataLen,data) != Ok) return Error_NoData; } // checksum if(readBlocked(*_serialPort,1,&_byte) != Ok) return Error_NoData; if(testChecksum(*dataLen,data,_byte)) return Ok; } else return Error_DataHeader; } unsigned char SerialComLib::readBlocked(HardwareSerial& serialPort,unsigned char length,unsigned char* readValue,unsigned char readCount,unsigned char delayMS) { for(int i=0;i < length;i++) readValue[i] = serialPort.read(); return Ok; /* while(readCount > 0) { if(serialPort.available() >= length) { // read out the data for(int i=0;i < length;i++) readValue[i] = serialPort.read(); return Ok; } else // wait a little delay(delayMS); --readCount; } return 1; */ } bool SerialComLib::findDataHeader() { char count = TRY_OUT_COUNT; while(count > 0) { if(readBlocked(*_serialPort,1,&_byte) == Ok && _byte == DATAHEADER1) { // read dataHeader1 if(readBlocked(*_serialPort,1,&_byte) == Ok && _byte == DATAHEADER2) // read dataHeader2 return true; } --count; } return false; } unsigned char SerialComLib::checksum(unsigned char len,unsigned char* data) { unsigned short checkSum = 0; for(int i=0;i < len;i++) checkSum += data[i]; return(0xff - (0xff & checkSum)); } bool SerialComLib::testChecksum(unsigned char len,unsigned char* data,unsigned char checksumVal) { return checksum(len,data) == checksumVal; }
[ "mrn@paus.ch" ]
mrn@paus.ch
e619ff72ab142dad19bfc9a734932447c560b060
600df3590cce1fe49b9a96e9ca5b5242884a2a70
/chrome/browser/ui/views/bookmarks/bookmark_bar_view_test_helper.h
d349c5ff7b9849ef6463632f278439fa00a78f53
[ "BSD-3-Clause" ]
permissive
metux/chromium-suckless
efd087ba4f4070a6caac5bfbfb0f7a4e2f3c438a
72a05af97787001756bae2511b7985e61498c965
refs/heads/orig
2022-12-04T23:53:58.681218
2017-04-30T10:59:06
2017-04-30T23:35:58
89,884,931
5
3
BSD-3-Clause
2022-11-23T20:52:53
2017-05-01T00:09:08
null
UTF-8
C++
false
false
1,130
h
// Copyright 2014 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef CHROME_BROWSER_UI_VIEWS_BOOKMARKS_BOOKMARK_BAR_VIEW_TEST_HELPER_H_ #define CHROME_BROWSER_UI_VIEWS_BOOKMARKS_BOOKMARK_BAR_VIEW_TEST_HELPER_H_ #include "base/macros.h" #include "chrome/browser/ui/views/bookmarks/bookmark_bar_view.h" // Used to access private state of BookmarkBarView for testing. class BookmarkBarViewTestHelper { public: explicit BookmarkBarViewTestHelper(BookmarkBarView* bbv) : bbv_(bbv) {} ~BookmarkBarViewTestHelper() {} int GetBookmarkButtonCount() { return bbv_->GetBookmarkButtonCount(); } views::LabelButton* GetBookmarkButton(int index) { return bbv_->GetBookmarkButton(index); } views::LabelButton* apps_page_shortcut() { return bbv_->apps_page_shortcut_; } views::MenuButton* overflow_button() { return bbv_->overflow_button_; } private: BookmarkBarView* bbv_; DISALLOW_COPY_AND_ASSIGN(BookmarkBarViewTestHelper); }; #endif // CHROME_BROWSER_UI_VIEWS_BOOKMARKS_BOOKMARK_BAR_VIEW_TEST_HELPER_H_
[ "enrico.weigelt@gr13.net" ]
enrico.weigelt@gr13.net
b322b92b7506f5c2bc327d33a500afbd32ec548e
b95e1521f96f2a5ef032ee592974e4b2c39af582
/5_lesson5/Lecture/5-2.cpp
c9d737c6fc9941c447172521d56cba9eedf4206a
[]
no_license
ck1001099-Teaching/cpp_course_2021summer
8068618322ef19c1b3ec879673c94edd187c72b9
187f19f997461fea8cb4086fc81b2da9595a25dd
refs/heads/master
2023-07-13T01:27:39.248373
2021-08-21T02:26:11
2021-08-21T02:26:11
392,313,556
7
2
null
null
null
null
UTF-8
C++
false
false
376
cpp
#include <iostream> using namespace std; int main(){ //num, ptr將一直存在直到該函數結束。 int num = 100; int *ptr = &num; //ptr2, ptr3 所指向的int位址是動態配置記憶體得到的 //可透過delete釋放記憶體 int *ptr2, *ptr3; ptr2 = new int; *ptr2 = 200; ptr3 = new int(300); //釋放記憶體 delete ptr2; delete ptr3; return 0; }
[ "ck1001099@gmail.com" ]
ck1001099@gmail.com
d69e6151b38a365e3adedd55ecf373911924de37
2b70160a64c9c6c4a7bdcc1e10eaf44412eef446
/ZoloEngine/ZoloEngine/ResourceManager.h
6579f6f300a0f06e4407f64342383dfe26838639
[]
no_license
AZielinsky95/HanZoloEngine
1bf3fda7e09bcb55e82bf7c4dc55c4610a1b7fa1
4396e4df8c4220af272bf3d8f86fc579e0336a0b
refs/heads/master
2021-05-04T03:19:22.810455
2016-09-28T02:17:00
2016-09-28T02:17:00
null
0
0
null
null
null
null
UTF-8
C++
false
false
348
h
#pragma once #include <string> #include <vector> template <class T> class ResourceManager { public: ResourceManager(); ~ResourceManager(); void store(std::string &name, T& resource); T get(std::string &name) const; void remove(std::string &name); typename std::vector<T>::iterator begin(); typename std::vector<T>::iterator end(); };
[ "azielinsky95@gmail.com" ]
azielinsky95@gmail.com
96cbb302304519f4c902cb13f2c086c536cc8f86
0ee50dfbd3d610e576421ac8562bf62997fd2058
/src/GTG_AO_switch_sim.cpp
7dd9dce64a26d6912f3ddab72742aac068fc5a66
[]
no_license
Zhanghq8/Turtlebot_PID_Controller
ce053b64bb766241738bb3bcd5a40f4516d15223
db2b76c15b2970bebaaf0cd1ff64f4f95660c3fc
refs/heads/master
2020-05-19T04:25:47.276957
2019-07-01T19:15:46
2019-07-01T19:15:46
184,825,716
5
1
null
null
null
null
UTF-8
C++
false
false
7,806
cpp
#include "turtlebot_pid/GTG_AO_sim.h" GTG_AO_Sim::GTG_AO_Sim(ros::NodeHandle* nodehandle):nh_(*nodehandle) { // constructor ROS_INFO("In class constructor of GTG_AO_Sim"); initSub(); // package up the messy work of creating subscribers; do this overhead in constructor initPub(); setgoalpos(); setvelocity(); setpidgains(); w = 0; // error dynamics e_P = 0; e_I = 0; e_D= 0; // accumulated error E_k = 0; // previous error e_k_previous = 0; //blending parameter alpha = 0.90; } void GTG_AO_Sim::setpidgains(double p, double i, double d) { k_p = p; k_i = i; k_d = d; } void GTG_AO_Sim::setvelocity(double x, double y) { v_normal = x; v_ao = y; } void GTG_AO_Sim::setgoalpos(double x, double y) { goalpos.x = x; goalpos.y = y; } double GTG_AO_Sim::quatoeuler_yaw(const nav_msgs::Odometry& odom) { tf::Quaternion qua(odom.pose.pose.orientation.x, odom.pose.pose.orientation.y, odom.pose.pose.orientation.z, odom.pose.pose.orientation.w); tf::Matrix3x3 mat(qua); double roll, pitch, yaw; mat.getRPY(roll, pitch, yaw); return yaw; } void GTG_AO_Sim::initSub() { ROS_INFO("Initializing Subscribers"); laserpos_sub_ = nh_.subscribe("/scan", 1, &GTG_AO_Sim::laserCallback,this); currentpos_sub_ = nh_.subscribe("/odom", 1, &GTG_AO_Sim::currentposCallback,this); stop_sub_ = nh_.subscribe("/odom", 1, &GTG_AO_Sim::stopCallback,this); } //member helper function to set up publishers; void GTG_AO_Sim::initPub() { ROS_INFO("Initializing Publishers"); controlinput_pub_ = nh_.advertise<geometry_msgs::Twist>("/cmd_vel_mux/input/teleop", 1, true); } void GTG_AO_Sim::laserCallback(const sensor_msgs::LaserScan& scan) { // laser_angle[0] = scan.angle_min; // laser_angle[4] = scan.angle_max; // laser_angle[1] = scan.angle_min+160.0/640*(scan.angle_max-scan.angle_min); // laser_angle[2] = scan.angle_min+320.0/640*(scan.angle_max-scan.angle_min); // laser_angle[3] = scan.angle_min+480.0/640*(scan.angle_max-scan.angle_min); double laser_angle[5] = {-0.521568, -0.260107, 0.00135422, 0.262815, 0.524276}; int laser_index[5] = {0, 159, 319, 479, 639}; for (int i=0; i<5; i++) { if (scan.ranges[laser_index[i]] == scan.ranges[laser_index[i]] && scan.ranges[laser_index[i]] > 1.0) { laserdis[i] = scan.ranges[laser_index[i]]; } else if (scan.ranges[laser_index[i]] - 1.0 <= 0) { laserdis[i] = scan.range_min; } else { laserdis[i] = scan.range_max; } // laserdis[i] = scan.ranges[laser_index[i]] / 10.0; cout << "Laser: " << i << ": " << laserdis[i] << " . "; } for (int i=0; i<5; i++) { double x_or = laserdis[i]*cos(laser_angle[i]); double y_or = laserdis[i]*sin(laser_angle[i]); obstacle_pos[i][0] = currentpos.x + cos(currentpos.theta)*x_or - sin(currentpos.theta)*y_or; obstacle_pos[i][1] = currentpos.y + sin(currentpos.theta)*x_or + cos(currentpos.theta)*y_or; } } void GTG_AO_Sim::currentposCallback(const nav_msgs::Odometry& odom) { currentpos.x = odom.pose.pose.position.x; currentpos.y = odom.pose.pose.position.y; currentpos.theta = quatoeuler_yaw(odom); double min_laserdis = laserdis[0]; for (int i=1; i<5; i++) { if (laserdis[i] < min_laserdis) { min_laserdis = laserdis[i]; } } if (min_laserdis > 1.3) { cout << "Go to goal..." << endl; geometry_msgs::Pose2D u_gtg; u_gtg.x = 0; u_gtg.y = 0; // distance between goal and robot in x-direction u_gtg.x = goalpos.x - currentpos.x; // distance between goal and robot in y-direction u_gtg.y = goalpos.y - currentpos.y; // angle from robot to goal double theta_g = atan2(u_gtg.y, u_gtg.x); // error between the goal angle and robot's angle u_gtg.theta = theta_g - currentpos.theta; // cout << "theta_g: " << theta_g << " theta: " << currentpos.theta << endl; e_k = atan2(sin(u_gtg.theta),cos(u_gtg.theta)); // error for the proportional term e_P = e_k; // error for the integral term. Approximate the integral using the accumulated error, obj.E_k, and the error for this time step e_I = e_k + E_k; // cout << e_I << endl; // error for the derivative term. Hint: Approximate the derivative using the previous error, and the error for this time step, e_k. e_D = e_k - e_k_previous; // update errors E_k = e_I; e_k_previous = e_k; // control input w = k_p*e_P + k_i*e_I + k_d*e_D; if (w > 0.8) { w = 0.8; } else if (w < -0.8) { w = -0.8; } controlinput.angular.z = w; controlinput.linear.x = v_normal; controlinput_pub_.publish(controlinput); //output the square of the received value; } else { cout << "Aovid obstacle..." << endl; geometry_msgs::Pose2D u_ao; u_ao.x = 0; u_ao.y = 0; for (int i=0; i<5; i++) { u_ao.x += (obstacle_pos[i][0] - currentpos.x) * lasergain[i]; u_ao.y += (obstacle_pos[i][1] - currentpos.y) * lasergain[i]; } // Compute the heading and error for the PID controller double theta_ao = atan2(u_ao.y, u_ao.x); double e_theta = theta_ao - currentpos.theta; // cout << currentpos.theta-theta_ao << endl; // cout << "Theta: " << theta_ao << ", " << currentpos.theta << " \n"; e_k = atan2(sin(e_theta),cos(e_theta)); // error for the proportional term e_P = e_k; // error for the integral term. Approximate the integral using the accumulated error, obj.E_k, and the error for this time step e_I = e_k + E_k; // error for the derivative term. Hint: Approximate the derivative using the previous error, and the error for this time step, e_k. e_D = e_k - e_k_previous; // update errors E_k = e_I; e_k_previous = e_k; // control input w = k_p*e_P + k_i*e_I + k_d*e_D; if (w > 0.8) { w = 0.8; } else if (w < -0.8) { w = -0.8; } controlinput.angular.z = w; controlinput.linear.x = v_ao; } cout << "w: " << w << endl; } void GTG_AO_Sim::stopCallback(const nav_msgs::Odometry& odom) { currentpos.x = odom.pose.pose.position.x; currentpos.y = odom.pose.pose.position.y; double theta = quatoeuler_yaw(odom); // cout << "Xc pose: " << currentpos.x << " Xg pose: " << goalpos.x << " Yc pose: " << currentpos.y << " Yg pose: "<< goalpos.y <<endl; if ( ( abs(currentpos.x - goalpos.x)<0.05 ) && ( abs(currentpos.y - goalpos.y)<0.05 ) && (currentpos.x * goalpos.x > 0.01)) { controlinput.angular.z = 0; controlinput.linear.x = 0; controlinput_pub_.publish(controlinput); ROS_INFO("Finished..."); ros::shutdown(); } } int main(int argc, char** argv) { ros::init(argc, argv, "turtlebot_GTG_AO_Sim"); //node name ros::NodeHandle nh; // create a node handle; need to pass this to the class constructor GTG_AO_Sim gtg_ao_sim(&nh); //instantiate an ExampleRosClass object and pass in pointer to nodehandle for constructor to use ROS_INFO("Initializing..."); ros::spin(); return 0; } /* angle_min: -0.521568 angle_max: 0.524276 angle_increment: 0.00163669 time_increment: 0 scan_time: 0 range_min: 0.45 range_max: 10 */
[ "hzhang8@wpi.edu" ]
hzhang8@wpi.edu
59eefcaea940841e8d88d08cc065e3bda64d6ded
0262a846cbf861fca619d4f33bde7cead539eb68
/src/demos/bspline_demo.h
03ec4eb598a1ece89f1d2b6201a352551a395bdf
[]
no_license
sachavincent/B-Splines
987c065562db9256d0f8d0fb3d932fdee3ce9e6c
c3415630be019ddf4a405ea28e9251aedde34164
refs/heads/main
2023-08-18T20:57:34.473612
2021-10-15T17:29:55
2021-10-15T17:29:55
417,583,017
0
0
null
null
null
null
UTF-8
C++
false
false
1,086
h
#ifndef BSPLINEDEMO_H #define BSPLINEDEMO_H #include <vector> #include "demo.h" #include "../camera.h" #include "../bsplines/bspline.h" #include "../bsplines/surface.h" #include "../utils.h" class BSplineDemo : public Demo { public: explicit BSplineDemo(int width, int height); ~BSplineDemo() override; void resize(int width, int height) override; void draw() override; void mouseclick(int button, float xpos, float ypos) override; void mousemove(float xpos, float ypos) override; void mousewheel(float delta) override; void keyboardmove(int key, double time) override; bool keyboard(unsigned char k) override; void updateBSpline() override; void createBSpline() override; protected: bool _updating; std::vector<glm::vec3> _vertices; GLuint _vaoLines; GLuint _vboLines; GLuint _vaoPoints; GLuint _vboPoints; GLuint _program; std::unique_ptr<Camera> _camera; // matrices glm::vec3 _rotation; glm::mat4 _model; glm::mat4 _view; glm::mat4 _projection; }; #endif // BSPLINEDEMO_H
[ "sacha.vincent@univ-tlse3.fr" ]
sacha.vincent@univ-tlse3.fr
cb7e428acc7e1fb03f7a58ccd3826b0ac3e465ec
c6881dbb2cb0aea8ac39c809aa5d339c9e15ac09
/Blockchain-Test/pow_tests.cpp
34bad4d5801b90d20c74e00acc92e5413edd06fe
[]
no_license
HungMingWu/blockchain-demo
d62afbe6caf41f07b7896f312fd9a2a7e27280c7
ebe6e079606fe2fe7bf03783d66300df7a94d5be
refs/heads/master
2020-03-21T22:33:38.664567
2018-10-01T10:12:40
2018-10-01T10:12:40
139,134,108
0
0
null
null
null
null
UTF-8
C++
false
false
3,401
cpp
// Copyright (c) 2015 The Bitcoin Core developers // Distributed under the MIT/X11 software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #include <catch2/catch.hpp> #include "chain.h" #include "chainparams.h" #include "pow.h" #include "random.h" #include "util.h" using namespace std; /* Test calculation of next difficulty target with DGW */ TEST_CASE("get_next_work") { SelectParams(CBaseChainParams::MAIN); const Consensus::Params& params = Params().GetConsensus(); CBlockIndex pindexLast; pindexLast.nHeight = 123456; pindexLast.nTime = 1408732489; // Block #123456 pindexLast.nBits = 0x1b1418d4; CBlockHeader pblock; pblock.nTime = 1408732505; // Block #123457 REQUIRE(GetNextWorkRequired(&pindexLast, &pblock, params) == 0x1e09b173); // Block #123457 has 0x1d00d86a } /* Test the constraint on the upper bound for next work */ // BOOST_AUTO_TEST_CASE(get_next_work_pow_limit) // { // SelectParams(CBaseChainParams::MAIN); // const Consensus::Params& params = Params().GetConsensus(); // int64_t nLastRetargetTime = 1231006505; // Block #0 // CBlockIndex pindexLast; // pindexLast.nHeight = 2015; // pindexLast.nTime = 1233061996; // Block #2015 // pindexLast.nBits = 0x1d00ffff; // BOOST_CHECK_EQUAL(CalculateNextWorkRequired(&pindexLast, nLastRetargetTime, params), 0x1d00ffff); // } /* Test the constraint on the lower bound for actual time taken */ // BOOST_AUTO_TEST_CASE(get_next_work_lower_limit_actual) // { // SelectParams(CBaseChainParams::MAIN); // const Consensus::Params& params = Params().GetConsensus(); // int64_t nLastRetargetTime = 1279008237; // Block #66528 // CBlockIndex pindexLast; // pindexLast.nHeight = 68543; // pindexLast.nTime = 1279297671; // Block #68543 // pindexLast.nBits = 0x1c05a3f4; // BOOST_CHECK_EQUAL(CalculateNextWorkRequired(&pindexLast, nLastRetargetTime, params), 0x1c0168fd); // } /* Test the constraint on the upper bound for actual time taken */ // BOOST_AUTO_TEST_CASE(get_next_work_upper_limit_actual) // { // SelectParams(CBaseChainParams::MAIN); // const Consensus::Params& params = Params().GetConsensus(); // int64_t nLastRetargetTime = 1263163443; // NOTE: Not an actual block time // CBlockIndex pindexLast; // pindexLast.nHeight = 46367; // pindexLast.nTime = 1269211443; // Block #46367 // pindexLast.nBits = 0x1c387f6f; // BOOST_CHECK_EQUAL(CalculateNextWorkRequired(&pindexLast, nLastRetargetTime, params), 0x1d00e1fd); // } TEST_CASE("GetBlockProofEquivalentTime_test") { SelectParams(CBaseChainParams::MAIN); const Consensus::Params& params = Params().GetConsensus(); std::vector<CBlockIndex> blocks(10000); for (int i = 0; i < 10000; i++) { blocks[i].pprev = i ? &blocks[i - 1] : NULL; blocks[i].nHeight = i; blocks[i].nTime = 1269211443 + i * params.nPowTargetSpacing; blocks[i].nBits = 0x207fffff; /* target 0x7fffff000... */ blocks[i].nChainWork = i ? blocks[i - 1].nChainWork + GetBlockProof(blocks[i - 1]) : arith_uint256(0); } for (int j = 0; j < 1000; j++) { CBlockIndex *p1 = &blocks[GetRand(10000)]; CBlockIndex *p2 = &blocks[GetRand(10000)]; CBlockIndex *p3 = &blocks[GetRand(10000)]; int64_t tdiff = GetBlockProofEquivalentTime(*p1, *p2, *p3, params); REQUIRE(tdiff == p1->GetBlockTime() - p2->GetBlockTime()); } }
[ "u9089000@gmail.com" ]
u9089000@gmail.com
0dd632dc00f92e3a31b63672f21fe29b5d638954
3c6ec86e5f4364327cbd89428d3ef69a7a007b21
/LAVB1/Q2.cpp
604fe9b961a44fa3e02f923d55f00e3ee24e59ef
[]
no_license
BatyrbekovKk/LAVB1-tech-
61a0f73409c877dfcd202a0d58c4b8074f3fdfc1
97e138ba1828bbd8374f946432180401ffe89f38
refs/heads/master
2022-08-30T13:55:28.127140
2020-05-25T20:19:31
2020-05-25T20:19:31
266,872,563
0
0
null
null
null
null
UTF-8
C++
false
false
767
cpp
#include "Q2.h" int Q2::fun() { int size = GetSize(); int* arr = new int[size]; int i = 0; for (i = 0; i < size; i++) { int save = pop(); arr[i] = save; this->push(save); } int max = arr[0], min = arr[0], result; for (i = 0; i < size; i++) { if (max < arr[i]) { max = arr[i]; } } for (i = 0; i < size; i++) { if (min > arr[i]) { min = arr[i]; } } if (max < 0) { max = -max; } if (min < 0) { min = -min; } result = max - min; delete[] arr; return result; } void Q2::push(int data) { Q::push(data); } int Q2::pop() { return Q::pop(); } void Q2::show() { Q::show(); } Q* Q2::copy() { return Q::copy(); } int Q2::GetSize() { return Q::GetSize(); } Q* Q2::merge(Q* first, Q* second) { return Q::merge(first, second); }
[ "Kolya.batyr@outlook.com" ]
Kolya.batyr@outlook.com
dc3760d4ebc5402c6d6e25d6e15b1c952c27b150
772d932a0e5f6849227a38cf4b154fdc21741c6b
/CPP_Joc_Windows_Android/SH_Client_Win_Cpp_Cmake/App/src/base/object/IWrappedValue.h
4a9d783582b98a78936fcaac283269c0c84ee475
[]
no_license
AdrianNostromo/CodeSamples
1a7b30fb6874f2059b7d03951dfe529f2464a3c0
a0307a4b896ba722dd520f49d74c0f08c0e0042c
refs/heads/main
2023-02-16T04:18:32.176006
2021-01-11T17:47:45
2021-01-11T17:47:45
328,739,437
0
0
null
null
null
null
UTF-8
C++
false
false
7,075
h
#pragma once #include <base/gh.h> #include <base/exceptions/LogicException.h> #include <memory> #include <string> #include <sstream> class Color; class Bounds2D; class Vector3; class Vector3Int; class VisualValueConfig; class MenuVisualAnimationProperty; namespace base { template <typename T> class WrappedValue; } namespace base { class IWrappedValue { pub class Type { pub static const int T_None; pub static const int T_int; pub static const int T_uint; pub static const int T_float; pub static const int T_bool; pub static const int T_String; pub static const int T_Color; pub static const int T_Bounds2D; pub static const int T_Vector3; pub static const int T_Vector3Int; pub static const int T_VisualValueConfig_ptr; pub static const int T_MenuVisualAnimationProperty_ptr; pub static const int T_float_sharedPtr; pub static const int T_String_ptr; pub static const int T_void_ptr; }; pub virtual bool checkType(int typeI) = 0; pub virtual bool checkType(std::string& typeS) = 0; prot virtual bool checkType(int typeI, std::string& typeS) = 0; pub bool checkType(std::shared_ptr<IWrappedValue>& o); prot virtual int getTypeI() = 0; prot virtual std::string& getTypeS() = 0; pub virtual void* getRaw() = 0; pub template <typename T> T getDirectAs(int validationType); pub template <typename T> T& getReferenceAs(int validationType); pub template <typename T> T* getPointerOfTypeAs(int validationType); pub template <typename T> T getDirectAs(std::string& validationType); pub template <typename T> T& getReferenceAs(std::string& validationType); pub template <typename T> T* getPointerOfTypeAs(std::string& validationType); pub int getDirectAs_int(); pub unsigned int getDirectAs_uint(); pub float getDirectAs_float(); pub bool getDirectAs_bool(); pub bool& getReferenceAs_bool(); pub int& getReferenceAs_int(); pub unsigned int& getReferenceAs_uint(); pub std::string getDirectAs_String(); pub std::string& getReferenceAs_String(); pub std::string* getPointerOfTypeAs_String(); pub Color& getReferenceAs_Color(); pub Color* getPointerOfTypeAs_Color(); pub Bounds2D& getReferenceAs_Bounds2D(); pub Bounds2D* getPointerOfTypeAs_Bounds2D(); pub Vector3& getReferenceAs_Vector3(); pub Vector3* getPointerOfTypeAs_Vector3(); pub Vector3Int& getReferenceAs_Vector3Int(); pub Vector3Int* getPointerOfTypeAs_Vector3Int(); pub VisualValueConfig* getDirectAs_VisualValueConfig_ptr(); pub MenuVisualAnimationProperty* getDirectAs_MenuVisualAnimationProperty_ptr(); pub std::shared_ptr<float> getDirectAs_float_sharedPtr(); pub std::shared_ptr<float>& getReferenceAs_float_sharedPtr(); pub std::string* getDirectAs_String_ptr(); pub void* getDirectAs_void_ptr(); // validationCustomType : a localised value <0; pub template <typename T> T getDirectAs_Custom(int validationCustomType); pub template <typename T> T getDirectAs_Custom(std::string& validationCustomType); pub template <typename T> T getDirectAs_CustomB(std::string validationCustomType); pub bool equals(std::shared_ptr<IWrappedValue>& o); pub std::shared_ptr<IWrappedValue> clone(); pub static std::shared_ptr<IWrappedValue> NewFromString(std::string& str); pub static std::shared_ptr<IWrappedValue> new_int(int data); pub static std::shared_ptr<IWrappedValue> new_uint(unsigned int data); pub static std::shared_ptr<IWrappedValue> new_float(float data); pub static std::shared_ptr<IWrappedValue> new_bool(bool data); pub static std::shared_ptr<IWrappedValue> new_String(std::string& data); pub static std::shared_ptr<IWrappedValue> new_Color(Color& data); pub static std::shared_ptr<IWrappedValue> new_ColorDirect(Color data); pub static std::shared_ptr<IWrappedValue> new_Bounds2D(Bounds2D& data); pub static std::shared_ptr<IWrappedValue> new_Bounds2DDirect(Bounds2D data); pub static std::shared_ptr<IWrappedValue> new_Vector3(Vector3& data); pub static std::shared_ptr<IWrappedValue> new_Vector3Direct(Vector3 data); pub static std::shared_ptr<IWrappedValue> new_Vector3Int(Vector3Int& data); pub static std::shared_ptr<IWrappedValue> new_VisualValueConfig_ptr(VisualValueConfig* data); pub static std::shared_ptr<IWrappedValue> new_MenuVisualAnimationProperty_ptr(MenuVisualAnimationProperty* data); pub static std::shared_ptr<IWrappedValue> new_float_sharedPtr(std::shared_ptr<float> data); pub static std::shared_ptr<IWrappedValue> new_String_ptr(std::string* data); pub static std::shared_ptr<IWrappedValue> new_void_ptr(void* data); pub template <typename T> static std::shared_ptr<IWrappedValue> new_Custom(T data, int localisedType); pub template <typename T> static std::shared_ptr<IWrappedValue> new_Custom(T data, std::string& localisedType); pub template <typename T> static std::shared_ptr<IWrappedValue> new_CustomB(T data, std::string localisedType); pub virtual void toString(std::stringstream& ss, bool includeTypePrefix) = 0; pub virtual ~IWrappedValue() = default; }; template <typename T> T IWrappedValue::getDirectAs(int validationType) { return *getPointerOfTypeAs<T>(validationType); } template <typename T> T& IWrappedValue::getReferenceAs(int validationType) { return *getPointerOfTypeAs<T>(validationType); } template <typename T> T* IWrappedValue::getPointerOfTypeAs(int validationType) { if(!checkType(validationType)) { throw LogicException(LOC); } return ((T*)getRaw()); } template <typename T> T IWrappedValue::getDirectAs(std::string& validationType) { return *getPointerOfTypeAs<T>(validationType); } template <typename T> T& IWrappedValue::getReferenceAs(std::string& validationType) { return *getPointerOfTypeAs<T>(validationType); } template <typename T> T* IWrappedValue::getPointerOfTypeAs(std::string& validationType) { if(!checkType(validationType)) { throw LogicException(LOC); } return ((T*)getRaw()); } template <typename T> T IWrappedValue::getDirectAs_Custom(int validationCustomType) { return *getPointerOfTypeAs<T>(validationCustomType); } template <typename T> T IWrappedValue::getDirectAs_Custom(std::string& validationCustomType) { return *getPointerOfTypeAs<T>(validationCustomType); } template <typename T> T IWrappedValue::getDirectAs_CustomB(std::string validationCustomType) { return *getPointerOfTypeAs<T>(validationCustomType); } template <typename T> std::shared_ptr<IWrappedValue> IWrappedValue::new_Custom(T data, int localisedType) { return std::static_pointer_cast<base::IWrappedValue>(std::make_shared<base::WrappedValue<T>>(data, localisedType)); } template <typename T> std::shared_ptr<IWrappedValue> IWrappedValue::new_Custom(T data, std::string& localisedType) { return std::static_pointer_cast<base::IWrappedValue>(std::make_shared<base::WrappedValue<T>>(data, localisedType)); } template <typename T> std::shared_ptr<IWrappedValue> IWrappedValue::new_CustomB(T data, std::string localisedType) { return std::static_pointer_cast<base::IWrappedValue>(std::make_shared<base::WrappedValue<T>>(data, localisedType)); } }; using IWValue = base::IWrappedValue;
[ "adriannostromo@gmail.com" ]
adriannostromo@gmail.com
2c91008a798f8619a60f656d52717930ac13fbda
155c4955c117f0a37bb9481cd1456b392d0e9a77
/MMgc/AllocationMacros.h
d7222ca75e9fefb7663899cd10da9a47046b8e49
[]
no_license
zwetan/tessa
605720899aa2eb4207632700abe7e2ca157d19e6
940404b580054c47f3ced7cf8995794901cf0aaa
refs/heads/master
2021-01-19T19:54:00.236268
2011-08-31T00:18:24
2011-08-31T00:18:24
null
0
0
null
null
null
null
UTF-8
C++
false
false
4,282
h
/* -*- Mode: C++; c-basic-offset: 4; indent-tabs-mode: nil; tab-width: 4 -*- */ /* vi: set ts=4 sw=4 expandtab: (add to ~/.vimrc: set modeline modelines=5) */ /* ***** BEGIN LICENSE BLOCK ***** * Version: MPL 1.1/GPL 2.0/LGPL 2.1 * * The contents of this file are subject to the Mozilla Public License Version * 1.1 (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * http://www.mozilla.org/MPL/ * * Software distributed under the License is distributed on an "AS IS" basis, * WITHOUT WARRANTY OF ANY KIND, either express or implied. See the License * for the specific language governing rights and limitations under the * License. * * The Original Code is [Open Source Virtual Machine.]. * * The Initial Developer of the Original Code is * Adobe System Incorporated. * Portions created by the Initial Developer are Copyright (C) 2004-2006 * the Initial Developer. All Rights Reserved. * * Contributor(s): * Adobe AS3 Team * * Alternatively, the contents of this file may be used under the terms of * either the GNU General Public License Version 2 or later (the "GPL"), or * the GNU Lesser General Public License Version 2.1 or later (the "LGPL"), * in which case the provisions of the GPL or the LGPL are applicable instead * of those above. If you wish to allow use of your version of this file only * under the terms of either the GPL or the LGPL, and not to allow others to * use your version of this file under the terms of the MPL, indicate your * decision by deleting the provisions above and replace them with the notice * and other provisions required by the GPL or the LGPL. If you do not delete * the provisions above, a recipient may use your version of this file under * the terms of any one of the MPL, the GPL or the LGPL. * * ***** END LICENSE BLOCK ***** */ #ifndef __ALLOCATIONMACROS__ #define __ALLOCATIONMACROS__ // The allocation macros. mmfx_? ones will have an alternative implementation of mapping to original new/delete implementations // the others are always on. namespace MMgc { enum NewDummyOperand { kUseFixedMalloc }; } #ifndef MMGC_OVERRIDE_GLOBAL_NEW // Used for allocating/deallocating memory with MMgc's fixed allocator. // The memory allocated using these macros will be released when the MMgc aborts due to // an unrecoverable out of memory situation. #define mmfx_new(new_data) new (MMgc::kUseFixedMalloc) new_data #define mmfx_new0(new_data) new (MMgc::kUseFixedMalloc, MMgc::kZero) new_data #define mmfx_new_array(type, n) ::MMgcConstructTaggedArray((type*)NULL, n, MMgc::kNone) #define mmfx_new_opt(new_data, opts) new (MMgc::kUseFixedMalloc, opts) new_data #define mmfx_new_array_opt(type, n, opts) ::MMgcConstructTaggedArray((type*)NULL, n, opts) #define mmfx_delete(p) ::MMgcDestructTaggedScalarChecked(p) #define mmfx_delete_array(p) ::MMgcDestructTaggedArrayChecked(p) #define mmfx_alloc(_siz) MMgc::AllocCall(_siz) #define mmfx_alloc_opt(_siz, opts) MMgc::AllocCall(_siz, opts) #define mmfx_free(_ptr) MMgc::DeleteCall(_ptr) #else #define mmfx_new(new_data) new new_data #define mmfx_new0(new_data) new (MMgc::kZero) new_data #define mmfx_new_array(type, n) new type[n] #define mmfx_new_opt(new_data, opts) new (opts) new_data #define mmfx_new_array_opt(type, n, opts) new (opts) type[n] #define mmfx_delete(p) delete p #define mmfx_delete_array(p) delete[] p #define mmfx_alloc(_siz) new char[_siz] #define mmfx_alloc_opt(_siz, opts) new (opts) char[_siz] #define mmfx_free(_ptr) delete [] (char*)_ptr #endif // MMGC_OVERRIDE_GLOBAL_NEW // Used to allocate memory from the system default operator new. The lifetime of these // allocations may exceed the lifetime of MMgc. #define system_new(new_data) new new_data #define system_new_array(type, n) new type[n] #define system_delete(p) delete p #define system_delete_array(p) delete[] p #endif // __ALLOCATIONMACROS__
[ "mason@masonchang.com" ]
mason@masonchang.com
8f58e03b74552f7b10b102e51909a50eee5c236e
d5ed8054e51064609d7419f2a5c353aae9c05a3d
/notebook/code/anglecmp_test/do_test.cpp
281fa83045740b3b6c4d7c038ffb19e3f80281da
[]
no_license
sytranvn/contest_library
fb78656275e8796c6cabda0e59bdc383ca2d7922
8366247f7061d3b960a8dff030a69ed066efd734
refs/heads/master
2021-12-13T19:08:19.878001
2017-01-23T13:16:34
2017-01-23T13:16:34
null
0
0
null
null
null
null
UTF-8
C++
false
false
1,161
cpp
ostream& operator<<(ostream& out, const xy& a) { out << "[" << a.x << "," << a.y << "] "; return out; } template<typename T> void assertSorted(const T& cmp, xy* begin, xy* end) { for (xy* i = begin; i != end; i++) for (xy* j = begin; j != end; j++) { if(cmp(*i, *j) != (i < j)) { cout << "fail " << *i; cout << cmp(*i, *j) << " " << *j << endl; assert(false); } } } void doTest() { cout << "Testing with EPS = " << EPS <<endl; xy t[100]; int n = 0; t[n++] = xy(1, 0); t[n++] = xy(2, 0); t[n++] = xy(1, 1); t[n++] = xy(2, 2); t[n++] = xy(-4, 1); t[n++] = xy(-4, 0); t[n++] = xy(-5, 0); t[n++] = xy(-5, -5); t[n++] = xy(0, -5); t[n++] = xy(3, -1); if (EPS > 0) REP (i, n) t[i] = t[i] * 0.01; xy mv(1000, 1000); REP (i, n) t[i] = t[i] + mv; AngleCmp angleCmp(mv); assertSorted(angleCmp, t, t + n); for (int i = 0; i < n; i++) { cout << "Testing rotation with " << t[0] << endl; ShiftedAngleCmp shiftedCmp(mv, t[0]); assertSorted(shiftedCmp, t, t + n); rotate(t, t + 1, t + n); } }
[ "michal.glapa@gmail.com" ]
michal.glapa@gmail.com
598d3e0ef4820cd566ca7e1b6dc5ea16280bbb7f
7e07278c9bd41154c52b0521d33180b3bca8f7a4
/ep-engine/src/dcp-response.cc
cab3ad738f28354551cb2697c268761ba74c5736
[ "Apache-2.0" ]
permissive
DavidAlphaFox/couchbase
690d3726873cc722045249c7368b3f8e8f0fac3d
5767e4279efa683ae9dd9d6bc34343b2669934d8
refs/heads/master
2022-11-01T10:54:36.321777
2017-03-06T05:34:33
2017-03-06T05:34:33
47,865,016
1
1
null
2022-10-06T07:01:35
2015-12-12T05:02:27
Erlang
UTF-8
C++
false
false
1,478
cc
/* -*- Mode: C++; tab-width: 4; c-basic-offset: 4; indent-tabs-mode: nil -*- */ /* * Copyright 2014 Couchbase, Inc * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ #include "config.h" #include "dcp-response.h" /* * These constants are calculated from the size of the packets that are * created by each message when it gets sent over the wire. The packet * structures are located in the protocol_binary.h file in the memcached * project. */ const uint32_t StreamRequest::baseMsgBytes = 72; const uint32_t AddStreamResponse::baseMsgBytes = 28; const uint32_t SnapshotMarkerResponse::baseMsgBytes = 24; const uint32_t SetVBucketStateResponse::baseMsgBytes = 24; const uint32_t StreamEndResponse::baseMsgBytes = 28; const uint32_t SetVBucketState::baseMsgBytes = 25; const uint32_t SnapshotMarker::baseMsgBytes = 44; const uint32_t MutationResponse::mutationBaseMsgBytes = 55; const uint32_t MutationResponse::deletionBaseMsgBytes = 42;
[ "david.alpha.fox@gmail.com" ]
david.alpha.fox@gmail.com
97090d16d8018e75462946df7957b4c8be7e8536
89ae4604ee19a051f135ddec312b823d57d46412
/allegro-5.0/demos/a5teroids/src/.svn/text-base/BitmapResource.cpp.svn-base
76bcbd6d2cefbc1414eb1c70063bd9ec1d1014cf
[ "BSD-3-Clause", "Zlib", "MIT" ]
permissive
fsande/PFC-2012-2013-EMIR-PedroHernandez
d51dee9c28bcf406e55462e1b229616e683a9419
2387a8e97ee399ae453f3f9e43e2dd1cb4c0cd4c
refs/heads/master
2020-12-10T10:37:41.759951
2020-01-13T10:25:46
2020-01-13T10:25:46
233,567,511
0
0
null
null
null
null
UTF-8
C++
false
false
637
#include "a5teroids.hpp" void BitmapResource::destroy(void) { if (!bitmap) return; al_destroy_bitmap(bitmap); bitmap = 0; } bool BitmapResource::load(void) { al_set_new_bitmap_format(ALLEGRO_PIXEL_FORMAT_ANY_WITH_ALPHA); al_set_new_bitmap_flags(ALLEGRO_MIN_LINEAR | ALLEGRO_MAG_LINEAR); bitmap = al_load_bitmap(filename.c_str()); if (!bitmap) debug_message("Error loading bitmap %s\n", filename.c_str()); return bitmap != 0; } void* BitmapResource::get(void) { return bitmap; } BitmapResource::BitmapResource(const char* filename) : bitmap(0) { this->filename = std::string(filename); }
[ "fsande@ull.es" ]
fsande@ull.es
6e9217d16e893395b46ea2d8ac9092297a3d7faa
5c8a0d7752e7c37e207f28a7e03d96a5011f8d68
/MapTweet/iOS/Classes/Native/System_Core_System_Func_5_gen2678275640.h
0e9cd5532a74be31a767404e208099b61c112a65
[]
no_license
anothercookiecrumbles/ar_storytelling
8119ed664c707790b58fbb0dcf75ccd8cf9a831b
002f9b8d36a6f6918f2d2c27c46b893591997c39
refs/heads/master
2021-01-18T20:00:46.547573
2017-03-10T05:39:49
2017-03-10T05:39:49
84,522,882
1
0
null
null
null
null
UTF-8
C++
false
false
945
h
#pragma once #include "il2cpp-config.h" #ifndef _MSC_VER # include <alloca.h> #else # include <malloc.h> #endif #include <stdint.h> // OnlineMapsMarker struct OnlineMapsMarker_t3492166682; // UnityEngine.Texture2D struct Texture2D_t3542995729; // System.String struct String_t; // System.IAsyncResult struct IAsyncResult_t1999651008; // System.AsyncCallback struct AsyncCallback_t163412349; // System.Object struct Il2CppObject; #include "mscorlib_System_MulticastDelegate3201952435.h" #include "mscorlib_System_Double4078015681.h" #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Func`5<System.Double,System.Double,UnityEngine.Texture2D,System.String,OnlineMapsMarker> struct Func_5_t2678275640 : public MulticastDelegate_t3201952435 { public: public: }; #ifdef __clang__ #pragma clang diagnostic pop #endif
[ "priyanjana@mac.com" ]
priyanjana@mac.com
784d0c79479fffe71b1eca4e9f8477b387adc70a
1c0e3803c88c7a1de0354d131552a0fbd50dbf72
/src/froebelGui/froebelListBox.h
e83ac64bb0f83bd54b96f1a5227b03727140fd6f
[]
no_license
patriciogonzalezvivo/OFPlay
f9428c3fe34c9038e986ea2780e7bce969946a07
6a7a384e475f84aeea69f88ee8fc875a0f17b7dd
refs/heads/master
2020-05-29T09:05:43.908779
2014-08-24T13:09:59
2014-08-24T13:09:59
6,993,256
12
0
null
2012-12-10T22:14:38
2012-12-04T02:40:52
C++
UTF-8
C++
false
false
763
h
// // froebelListBox.h // OFPlay // // Created by Patricio Gonzalez Vivo on 12/2/12. // http://www.patriciogonzalezvivo.com // #ifndef FROEBELLISTBOX #define FROEBELLISTBOX #include "ofMain.h" #include "froebelTextBox.h" #include "froebelContainer.h" #include "froebelFolderElement.h" class froebelListBox : public froebelTextBox { public: froebelListBox(); void addElement(string _value, bool _defVal = false, int _iconShape = -1, int _edgeCoorner = -1); bool select(string _value); string getSelectedAsString(); void reset(); virtual ofRectangle getBoundingBox(); bool checkMousePressed(ofPoint _mouse); void update(); void draw(); froebelContainer containerBox; }; #endif
[ "patriciogonzalezvivo@gmail.com" ]
patriciogonzalezvivo@gmail.com
0dcc7a82852f7b013f4db0d1922664a8e51ef72c
ba9322f7db02d797f6984298d892f74768193dcf
/cms/src/model/DescribeEventRuleRequest.cc
bec1314c7ec8b2ddc95968acfaac68c97990e2e6
[ "Apache-2.0" ]
permissive
sdk-team/aliyun-openapi-cpp-sdk
e27f91996b3bad9226c86f74475b5a1a91806861
a27fc0000a2b061cd10df09cbe4fff9db4a7c707
refs/heads/master
2022-08-21T18:25:53.080066
2022-07-25T10:01:05
2022-07-25T10:01:05
183,356,893
3
0
null
2019-04-25T04:34:29
2019-04-25T04:34:28
null
UTF-8
C++
false
false
1,156
cc
/* * Copyright 2009-2017 Alibaba Cloud All rights reserved. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ #include <alibabacloud/cms/model/DescribeEventRuleRequest.h> using AlibabaCloud::Cms::Model::DescribeEventRuleRequest; DescribeEventRuleRequest::DescribeEventRuleRequest() : RpcServiceRequest("cms", "2018-03-08", "DescribeEventRule") {} DescribeEventRuleRequest::~DescribeEventRuleRequest() {} std::string DescribeEventRuleRequest::getRuleName()const { return ruleName_; } void DescribeEventRuleRequest::setRuleName(const std::string& ruleName) { ruleName_ = ruleName; setParameter("RuleName", ruleName); }
[ "haowei.yao@alibaba-inc.com" ]
haowei.yao@alibaba-inc.com
a4bdc32e0d9add02ee3929536282f04b1b3c9593
0a0ca545967a0e2db0419aa35eb63d40ae486011
/src/Model/Clusterer.cpp
ab298ee124b096f3402799a4c7a4cd63dc246984
[]
no_license
ukropj/VisualContent
697f5328b177240a5b8a250ab4cf6f826b6c738a
117668dbee5ad3aae3c106da3825d03fad74a518
refs/heads/master
2021-01-16T17:38:53.216238
2011-06-15T17:29:08
2011-06-15T17:29:08
974,190
0
0
null
null
null
null
UTF-8
C++
false
false
10,292
cpp
/* * Clusterer.cpp * * Created on: 5.4.2011 * Author: jakub */ #include "Model/Clusterer.h" #include "Model/Graph.h" #include "Model/Node.h" #include "Model/Edge.h" #include "Model/Type.h" #include "Model/Cluster.h" #include <math.h> #include <QProgressDialog> using namespace Model; Clusterer::Clusterer() { graph = NULL; clusterType = NULL; alg = NONE; step = level = 0; } bool Clusterer::setClusteringAlg(int i) { ClusteringAlg newAlg = NONE; switch (i) { case 0: newAlg = NONE; break; case 1: newAlg = ADJACENCY; break; case 2: newAlg = LEAFS; break; case 3: newAlg = NEIGHBORS; break; } if (newAlg == alg) { return false; } else { alg = newAlg; return true; } } void Clusterer::cluster(Graph* graph, QProgressDialog* pd) { this->pd = pd; level = 0; this->graph = graph; clusterType = NULL; clusters.clear(); switch (alg) { default: case NONE: break; case NEIGHBORS: clusterNghbrs(*(graph->getNodes()), true, 3); break; case LEAFS: clusterLeafs(*(graph->getNodes()), true, -1); break; case ADJACENCY: clusterAdjacency(*(graph->getNodes()), true, 6); break; } } void Clusterer::clusterNghbrs(QMap<qlonglong, Node* > someNodes, bool clustersVisible, int maxLevels) { pd->reset(); pd->setLabelText(QString("Clustering graph ... (%1)").arg(++level)); pd->setMaximum(someNodes.size()); // approximate step = 0; // qDebug() << "clustering starts " << someNodes.size(); for (NodeIt ui = someNodes.begin(); ui != someNodes.end(); ++ui) { if (pd->wasCanceled()) return; Node* u = ui.value(); // qDebug() << "u: " << u->getId(); if (u->getParent() == NULL) { Cluster* c = NULL; QSet<Node*> in = u->getIncidentNodes(); NIt i = in.constBegin(); while (i != in.constEnd()) { Node* v = *i; // qDebug() << "v: " << v->getId(); if (!clusters.contains(v->getId()) && v->getParent() == NULL) { if (c == NULL) { c = addCluster(); c->setIgnored(!clustersVisible); c->setExpanded(!clustersVisible); // qDebug() << "new c: " << c->getId(); } v->setParent(c); v->setIgnored(clustersVisible); pd->setValue(step++); // qDebug() << "v added to c"; } ++i; } if (c != NULL) { u->setParent(c); u->setIgnored(clustersVisible); pd->setValue(step++); // qDebug() << "u added to c"; } } } for (NodeIt ci = clusters.begin(); ci != clusters.end(); ++ci) { Node* c = ci.value(); graph->nodes.insert(c->getId(), c); graph->nodesByType.insert(c->getType()->getId(), c); } if (clusters.size() > 1 && maxLevels != 0) { QMap<qlonglong, Node*> newNodes(clusters); clusters.clear(); clusterNghbrs(newNodes, clustersVisible, maxLevels - 1); } // qDebug() << "clustering ends " << clusters.size() << "/" << graph->nodes.size(); } void Clusterer::clusterLeafs(QMap<qlonglong, Node* > someNodes, bool clustersVisible, int maxLevels) { pd->reset(); pd->setLabelText(QString("Clustering graph ... (%1)").arg(++level)); pd->setMaximum(someNodes.size()); step = 0; // qDebug() << "clustering starts " << someNodes.size(); for (NodeIt ui = someNodes.constBegin(); ui != someNodes.constEnd(); ++ui) { if (pd->wasCanceled()) return; Node* u = ui.value(); // qDebug() << "u: " << u->getId(); if (u->getParent() == NULL) { QSet<Node*> in = u->getIncidentNodes(); // qDebug() << "u nghbrs: " << in.size(); if (in.size() == 1) { Node* v = *(in.constBegin()); // qDebug() << "v: " << v->getId(); Cluster* c = dynamic_cast<Cluster*>(clusters.value(v->getId())); if (c == NULL) { c = addCluster(); // qDebug() << "new c: " << c->getId(); v->setParent(c); v->setIgnored(clustersVisible); // qDebug() << "v added to c"; c->setIgnored(!clustersVisible); c->setExpanded(!clustersVisible); pd->setValue(step++); } u->setParent(c); u->setIgnored(clustersVisible); pd->setValue(step++); // qDebug() << "u added to c"; } } } for (NodeIt ci = clusters.begin(); ci != clusters.end(); ++ci) { Node* c = ci.value(); graph->nodes.insert(c->getId(), c); graph->nodesByType.insert(c->getType()->getId(), c); } if (clusters.size() > 1 && maxLevels != 0) { QMap<qlonglong, Node*> newNodes(clusters); clusters.clear(); clusterLeafs(newNodes, clustersVisible, maxLevels - 1); } // qDebug() << "clustering ends, clusters=" << clusters.size() << " level=" << maxLevels << " " << clusters.size() << "/" << graph->nodes.size(); } void Clusterer::clusterAdjacency(QMap<qlonglong, Node* > someNodes, bool clustersVisible, int maxLevels) { pd->reset(); pd->setLabelText(QString("Clustering graph ... (%1)").arg(++level)); pd->setMaximum(someNodes.size() * 3); step = 0; int n = someNodes.size(); std::vector<bool> p(7); std::vector<std::vector<bool> > matrix(n, std::vector<bool>(n, false)); std::vector<std::vector<unsigned char> > w(n, std::vector<unsigned char>(n, 0)); // we don't use float, floats are multiplied by K and stored as unsigned char; unsigned char K = 100; int i = 0, j = 0; // prepare adjacency matrix for (NodeIt ui = someNodes.constBegin(); ui != someNodes.constEnd(); ++ui, i++) { pd->setValue(step++); Node* u = ui.value(); matrix[i][i] = true; QSet<Node*> nghbrs = u->getIncidentNodes(); j = i+1; for (NodeIt vi = ui+1; vi != someNodes.constEnd(); ++vi, j++) { Node* v = vi.value(); if (nghbrs.contains(v)) { matrix[i][j] = true; matrix[j][i] = true; } else { matrix[i][j] = false; matrix[j][i] = false; } } } i = 0; float maxW = -1; QString str = "\n "; // prepare weight matrix w, using Pearson correlation for (NodeIt ui = someNodes.constBegin(); ui != someNodes.constEnd(); ++ui, i++) { pd->setValue(step++); Node* u = ui.value(); str += QString("%1").arg(u->getId(), 5) + " "; w[i][i] = 0; int degU = u->getIncidentNodes().size(); j = i+1; for (NodeIt vi = ui+1; vi != someNodes.constEnd(); ++vi, j++) { if (pd->wasCanceled()) return; Node* v = vi.value(); int degV = v->getIncidentNodes().size(); float sum = 0; for (int k = 0; k < n; k++) { sum += matrix[i][k] && matrix[j][k] ? 1 : 0; } // apply Pearson float wij = ((float)((n * sum) - (degU * degV))) / sqrt(degU * degV * (n - degU) * (n - degV)); // ignore negative values w[j][i] = w[i][j] = qMax(0.0f, wij * K); // K is used to store 0-1 floats in uchar matrix if (w[j][i] > maxW) // remember largest weight maxW = w[j][i]; } } str += "\n"; NodeIt qi = someNodes.constBegin(); for (i=0; i < n; i++) { float s = 0; Node* q = qi.value(); str += QString("%1").arg(q->getId(), 5) + " "; for (j=0; j < n; j++) { str += QString("%1").arg(w[i][j], 5) + " "; s += w[i][j]; } str += "\n"; ++qi; } // qDebug() << str; float t = qMin(1.0f * K, maxW); // set correlation threashold for clustering // start clustering // while (t > 0.8f * K && someNodes.size() > 2) // { // prepare threshold t *= 0.9f; // qDebug() << "t: " << t; i = 0; // set of clusters QSet<qlonglong> clustered; for (NodeIt ui = someNodes.constBegin(); ui != someNodes.constEnd(); ++ui, i++) { Node* u = ui.value(); // qDebug() << "u: " << u->getId(); j = i+1; Cluster* c = u->getParent(); // set of nodes about to cluster QSet<Node*> toCluster; for (NodeIt vi = ui+1; vi != someNodes.constEnd(); ++vi, j++) { if (pd->wasCanceled()) return; Node* v = vi.value(); if (w[i][j] >= t) { // qDebug() << "v: " << v->getId() << " w=" << w[i][j]; if (c == NULL) { c = v->getParent(); // qDebug() << "c = v->getParent()"; // qDebug() << "c: " << (c == NULL ? "NULL" : QString("%1").arg(c->getId())); } else { if (v->getParent() != NULL) { // qDebug() << "v has other parent!"; continue; } } toCluster.insert(v); clustered.insert(v->getId()); pd->setValue(step++); int link = -1; for (int k = 0; k < n; k++) { if(matrix[i][k] && matrix[j][k]) { if (link < 0 && link != i && link != j) { link = k; } else if (link >= 0) { link = -1; break; } } } if (link >= 0) { // qDebug() << "link = " << link; Node* x = someNodes.value(someNodes.keys().at(link)); if (!clustered.contains(x->getId())) { // qDebug() << "x: " << x->getId(); if (c = NULL) { c = x->getParent(); } else if (x->getParent() != NULL) { continue; } toCluster.insert(x); clustered.insert(x->getId()); pd->setValue(step++); } } // qDebug() << "is clusterable"; } } if (!toCluster.isEmpty()) { if (c == NULL) { c = addCluster(); // qDebug() << "new c: " << c->getId(); c->setIgnored(!clustersVisible); c->setExpanded(!clustersVisible); } NIt i = toCluster.constBegin(); while (i != toCluster.constEnd()) { Node* v = *i; // qDebug() << "v': " << v->getId(); if (v->getParent() == NULL) { v->setParent(c); v->setIgnored(clustersVisible); // qDebug() << "v' added to c"; } i++; } if (u->getParent() == NULL) { u->setParent(c); u->setIgnored(clustersVisible); // qDebug() << "u added to c"; clustered.insert(u->getId()); pd->setValue(step++); } } } for (QSet<qlonglong>::const_iterator i = clustered.constBegin(); i != clustered.constEnd(); ++i) { someNodes.remove(*i); } // } // qDebug() << "nodes: " << someNodes.size() << " clusters: " << clusters.size(); for (NodeIt ci = clusters.begin(); ci != clusters.end(); ++ci) { Node* c = ci.value(); graph->nodes.insert(c->getId(), c); graph->nodesByType.insert(c->getType()->getId(), c); } someNodes.unite(clusters); clusters.clear(); if (someNodes.size() > 2 && maxLevels != 0) { clusterAdjacency(someNodes, clustersVisible, maxLevels - 1); } } Cluster* Clusterer::addCluster() { if (clusterType == NULL) { clusterType = graph->addType("cluster"); clusterType->addKey("id", ""); } Cluster* node = new Cluster(graph->incEleIdCounter(), clusterType, graph); clusters.insert(node->getId(), node); return node; }
[ "jukrop@gmail.com" ]
jukrop@gmail.com
6b1b6de1940c5e4bb727d38c1ce63a3b995ddf62
2ba94892764a44d9c07f0f549f79f9f9dc272151
/Engine/Source/Runtime/Slate/Public/Framework/Styling/EditableTextBoxWidgetStyle.h
e554eca7c33e1afddfa567546214da2ca5f4c4d7
[ "BSD-2-Clause", "LicenseRef-scancode-proprietary-license" ]
permissive
PopCap/GameIdea
934769eeb91f9637f5bf205d88b13ff1fc9ae8fd
201e1df50b2bc99afc079ce326aa0a44b178a391
refs/heads/master
2021-01-25T00:11:38.709772
2018-09-11T03:38:56
2018-09-11T03:38:56
37,818,708
0
0
BSD-2-Clause
2018-09-11T03:39:05
2015-06-21T17:36:44
null
UTF-8
C++
false
false
671
h
// Copyright 1998-2015 Epic Games, Inc. All Rights Reserved. #pragma once #include "SlateWidgetStyleContainerBase.h" #include "EditableTextBoxWidgetStyle.generated.h" /** */ UCLASS(hidecategories=Object, MinimalAPI) class UEditableTextBoxWidgetStyle : public USlateWidgetStyleContainerBase { GENERATED_BODY() public: /** The actual data describing the button's appearance. */ UPROPERTY(Category=Appearance, EditAnywhere, meta=(ShowOnlyInnerProperties)) FEditableTextBoxStyle EditableTextBoxStyle; virtual const struct FSlateWidgetStyle* const GetStyle() const override { return static_cast< const struct FSlateWidgetStyle* >( &EditableTextBoxStyle ); } };
[ "dkroell@acm.org" ]
dkroell@acm.org
825fad9d760cd0080addeed04f94bdc927994f40
c72fefb1d8dae03fdbc6138b67013e66cf6bb790
/Квадратное уравнение.cpp
7b0ed37fdd2c893b82fa2aa81f96cbf8e9dc9e7d
[]
no_license
Begasova/Begasova
814ad80de40b7063a74394c63428d268a76b455d
d18d8cc5d3ad6992e48dd50a7483d1cbd99c6c6b
refs/heads/master
2021-01-11T00:05:42.894185
2017-05-28T16:18:17
2017-05-28T16:18:17
69,178,540
0
1
null
null
null
null
UTF-8
C++
false
false
1,141
cpp
#include <iostream> using namespace std; int main() { double a, b, c; cout << "Enter coeff." << endl; cout << "a: "; cin >> a; if (a == 0) { cout << "Input error!" << endl; system("pause"); return 0; } cout << "b: "; cin >> b; cout << "c: "; cin >> c; system("cls"); if (a>1) { cout << a << "*x ^ 2 " ; } else if (a == 1) { cout << "x ^ 2 " ; } else if (a == -1) { cout << "-x ^ 2 "; } if (b < 0) { cout << b << "*x "; } else if (b == 0) { cout << " " ; } else if (b> 0) { cout << "+" << b << "*x " ; } if (c> 0) { cout << "+" << c << "= 0" << endl; } else if (c == 0) { cout << " =0" << endl;; } else if (c < 0) { cout << c << "= 0" << endl;; } system("pause"); system("cls"); double d = b * b - 4 * a * c; if (d < 0) { cout << "No real roots!" << endl; system("pause"); return 0; } if (d == 0) { cout << "x1 = x2 = " << -b / 2 / a << endl; system("pause"); return 0; } if (d > 0) { cout << "x1 = " << (-b + sqrt(d)) / 2 / a << endl; cout << "x2 = " << (-b - sqrt(d)) / 2 / a << endl; } system("pause"); return 0; }
[ "irinaevsei.ie@gmail.com" ]
irinaevsei.ie@gmail.com
896ec8586f578eed9db63a551b8e8e75ea21ee00
4f3531026c2cc3d15e15f28388fa4d8c2320a9b3
/C++ progrsmming/Chapter_05_Sorting/Quick.cpp
298a53dc715605863ea0c7808984aa82994e6219
[]
no_license
hmahmudul852/Programming
29914e93b7c1c31c2270042e8c55009a32df4704
96f7457221b471539237d66f0cc1e335d793672f
refs/heads/master
2021-01-11T15:45:22.029400
2019-08-11T03:30:25
2019-08-11T03:30:25
79,919,469
0
0
null
null
null
null
UTF-8
C++
false
false
579
cpp
#include<bits/stdc++.h> using namespace std; void Quick(int *ar,int l,int r) { int i=l,j=r; int p=ar[(l+r)/2]; while(j>=i) { while(ar[i]<p)i++; while(ar[j]>p)j--; if(j>=i) { swap(ar[i],ar[j]); i++; j--; } } if(l<j) Quick(ar,l,j); if(i<r) Quick(ar,i,r); } int main() { int ar[]={3, 44, 38, 5, 47, 15, 36, 26, 27, 2, 46, 4, 19, 50, 48}; int si=15; Quick(ar,0,si-1); for(int i=0;i<si;i++) { cout<<ar[i]<<" "; } return 0; }
[ "hmahmudul852@gmail.com" ]
hmahmudul852@gmail.com
896539b012e5d78d0d78f697721a3c9658698687
469e10e3bbc758c00e68e647ecc4c604622b8785
/Method/Method/Compared_walktrap.cpp
efd8332ceb201a6df3478664c5b647e2cb1f3527
[]
no_license
qqwqqk/AlgorithmCPI
a37127f8dcf4af7ab601e1e3cf8abd76d80b9d9e
90d39dc62735252ae8b959e3a73fdfd107752303
refs/heads/master
2020-07-01T11:07:42.153443
2019-08-08T01:59:16
2019-08-08T01:59:16
201,156,961
0
0
null
null
null
null
GB18030
C++
false
false
3,683
cpp
#include <stdio.h> #include <stdlib.h> #include <igraph.h> #include <string.h> #define WALKTRAP_STEPS 0x4 int main(void) { //边存放的文件,空格分隔 FILE *edgeListFile, *ResultFile; fopen_s(&edgeListFile,"Part_SR_AC_SingleGraphs.txt", "r"); fopen_s(&ResultFile, "Compared_AC_Walktrap.txt", "w"); igraph_t wbNetwork; igraph_real_t Q_value; igraph_matrix_t merges; igraph_vector_t modularity; igraph_vector_t membership; long int i; long int no_of_nodes; long int no_of_edges; int rstCode; int count = 0; igraph_vector_t gtypes, vtypes, etypes; igraph_strvector_t gnames, vnames, enames; /* turn on attribute handling */ igraph_i_set_attribute_table(&igraph_cattribute_table); //初始化对象 igraph_vector_init(&modularity, 0); igraph_vector_init(&membership, 0); igraph_matrix_init(&merges, 0, 0); //if (argc < 2){printf("Usage: %s <inputRelationFile> \n", argv[0]);exit(1);} //从文件中读入图 igraph_read_graph_ncol(&wbNetwork, edgeListFile, 0, /*预定义的节点名称*/ 1, /*读入节点名称*/ IGRAPH_ADD_WEIGHTS_NO, /*是否将边的权重也读入*/ 0 /*0表示无向图*/ ); fclose(edgeListFile); igraph_simplify(&wbNetwork, 1, 1, 0); igraph_vector_init(&gtypes, 0); igraph_vector_init(&vtypes, 0); igraph_vector_init(&etypes, 0); igraph_strvector_init(&gnames, 0); igraph_strvector_init(&vnames, 0); igraph_strvector_init(&enames, 0); igraph_cattribute_list(&wbNetwork, &gnames, &gtypes, &vnames, &vtypes, &enames, &etypes); no_of_nodes = igraph_vcount(&wbNetwork); no_of_edges = igraph_ecount(&wbNetwork); printf("Graph node numbers: %d \n", no_of_nodes); printf("Graph edge numbers: %d \n", no_of_edges); //打印计算用ID与节点ID的对应过程 /* if (igraph_cattribute_has_attr(&wbNetwork, IGRAPH_ATTRIBUTE_VERTEX, "name")){ printf("Vertex names: "); for (i = 0; i<no_of_nodes; i++) { printf("Vertex ID: %d -> Vertex Name: %s \n", i, igraph_cattribute_VAS(&wbNetwork, "name", i)); } } else{ printf("The Graph does not have attribute of name \n"); } */ //用随机游走算法对网络进行社区结构划分 rstCode = igraph_community_walktrap(&wbNetwork, /*edge weights*/ 0, WALKTRAP_STEPS, /*随机游走的步数*/ &merges, &modularity, &membership /*每个节点从属的community编号*/); if (rstCode != 0){ printf("Error dealing with finding communities"); return 1; } else{ printf("Finding communities success! \n"); } //打印出模块度演变的过程 /* printf("Merges:\n"); for (i = 0; i<igraph_matrix_nrow(&merges); i++) { printf("%2.1li + %2.li -> %2.li (modularity %4.2f)\n", (long int)MATRIX(merges, i, 0), (long int)MATRIX(merges, i, 1), no_of_nodes + i, VECTOR(modularity)[i]); } */ for (i = 0; i<igraph_vector_size(&membership); i++){ printf("节点: %d -> 社区:%g \n", i + 1, VECTOR(membership)[i]); count = count>(int)VECTOR(membership)[i] ? count : (int)VECTOR(membership)[i]; fprintf(ResultFile, "%s\t%g\n", igraph_cattribute_VAS(&wbNetwork, "name", i), VECTOR(membership)[i]); } fclose(ResultFile); rstCode = igraph_modularity(&wbNetwork, /* 成员关系 */&membership, /* 模块度 */&Q_value, /* 网络权重 */NULL); printf("部落数:%d \t模块度:%g \n", count + 1, Q_value); igraph_vector_destroy(&modularity); igraph_vector_destroy(&membership); igraph_matrix_destroy(&merges); igraph_vector_destroy(&gtypes); igraph_vector_destroy(&vtypes); igraph_vector_destroy(&etypes); igraph_strvector_destroy(&gnames); igraph_strvector_destroy(&vnames); igraph_strvector_destroy(&enames); igraph_destroy(&wbNetwork); system("pause"); return 0; }
[ "qqwqqk@shu.edu.cn" ]
qqwqqk@shu.edu.cn
74e66b1540562fa34a14deb03a26b51e9ea2b178
fef045bc10a8e029e83f954cc8dac2387f2084a5
/3rdparty/7zpp/src/InStreamWrapper.cpp
b6bc5d0869c26ae13fdc58a748a0b62378cb44c5
[]
no_license
wyrover/dll-wrapper-examples
db2d24ec7c0f2e696d6f4c6ad4fa168f517c0721
4b173821f804cf70868652600323df96848da8a5
refs/heads/master
2020-03-31T22:33:44.604675
2017-03-02T09:48:25
2017-03-02T09:48:25
83,626,854
1
1
null
null
null
null
UTF-8
C++
false
false
2,138
cpp
#include "stdafx.h" #include "InStreamWrapper.h" namespace SevenZip { namespace intl { InStreamWrapper::InStreamWrapper(const CComPtr< IStream >& baseStream) : m_refCount(0) , m_baseStream(baseStream) { } InStreamWrapper::~InStreamWrapper() { } HRESULT STDMETHODCALLTYPE InStreamWrapper::QueryInterface(REFIID iid, void** ppvObject) { if (iid == __uuidof(IUnknown)) { *ppvObject = reinterpret_cast< IUnknown* >(this); AddRef(); return S_OK; } if (iid == IID_ISequentialInStream) { *ppvObject = static_cast< ISequentialInStream* >(this); AddRef(); return S_OK; } if (iid == IID_IInStream) { *ppvObject = static_cast< IInStream* >(this); AddRef(); return S_OK; } if (iid == IID_IStreamGetSize) { *ppvObject = static_cast< IStreamGetSize* >(this); AddRef(); return S_OK; } return E_NOINTERFACE; } ULONG STDMETHODCALLTYPE InStreamWrapper::AddRef() { return static_cast< ULONG >(InterlockedIncrement(&m_refCount)); } ULONG STDMETHODCALLTYPE InStreamWrapper::Release() { ULONG res = static_cast< ULONG >(InterlockedDecrement(&m_refCount)); if (res == 0) { delete this; } return res; } STDMETHODIMP InStreamWrapper::Read(void* data, UInt32 size, UInt32* processedSize) { ULONG read = 0; HRESULT hr = m_baseStream->Read(data, size, &read); if (processedSize != NULL) { *processedSize = read; } // Transform S_FALSE to S_OK return SUCCEEDED(hr) ? S_OK : hr; } STDMETHODIMP InStreamWrapper::Seek(Int64 offset, UInt32 seekOrigin, UInt64* newPosition) { LARGE_INTEGER move; ULARGE_INTEGER newPos; move.QuadPart = offset; HRESULT hr = m_baseStream->Seek(move, seekOrigin, &newPos); if (newPosition != NULL) { *newPosition = newPos.QuadPart; } return hr; } STDMETHODIMP InStreamWrapper::GetSize(UInt64* size) { STATSTG statInfo; HRESULT hr = m_baseStream->Stat(&statInfo, STATFLAG_NONAME); if (SUCCEEDED(hr)) { *size = statInfo.cbSize.QuadPart; } return hr; } } }
[ "wyrover@gmail.com" ]
wyrover@gmail.com
53af483b95ab31416ebc8f610aa103b712e8f0e1
2858bca77f7dc4dc1c3174ea2fcd90e59b949a5a
/UVa 11152 - Colourful Flowers/sol.cpp
e605c2bed4396654bcc6fbbd519972b640a85501
[]
no_license
smhemel/UVA-Online-Judge
5d00068841dac66a34707ba5afb064a1ff2e40c5
7fd725fbda8dc042236f1f5e88e56d13cd85b90b
refs/heads/master
2021-04-09T15:25:36.804703
2019-06-29T16:57:26
2019-06-29T16:57:26
125,705,211
0
0
null
null
null
null
UTF-8
C++
false
false
684
cpp
#include <stdio.h> #include <math.h> #define pi acos(-1) int main() { double a, b, c, i, j; double s, r_out, r_inside, area_triangle, area_circle_circum, area_inscribed; while(scanf("%lf %lf %lf", &a, &b, &c)==3) { s = (a+b+c)/2; area_triangle=sqrt(s*(s-a)*(s-b)*(s-c)); r_out=((a*b*c)/(4*area_triangle)); r_inside=((area_triangle/s)); area_circle_circum=(pi*pow(r_out, 2))-area_triangle; area_inscribed=(pi*pow(r_inside, 2)); area_triangle=(area_triangle-area_inscribed); printf("%.4lf %.4lf %.4lf\n", area_circle_circum, area_triangle, area_inscribed); } return 0; }
[ "sm_hemel@yahoo.com" ]
sm_hemel@yahoo.com
4e116816a9542a49ac518e5a624fce99b7df8983
6a85ac6fffe6eeb63821c90c3f0085e1892ca56b
/octoberBlock/Plugins/Wwise/Intermediate/Build/Win64/UE4/Inc/AkAudio/AkAudioSession.generated.h
2d2a1ee0620d9dadd0c6fb5e85388b602821d539
[]
no_license
punk-off/snowShip
0386f9f0d362d3b229be9a6a4933e76081b5cde2
2bb3add70a7bab65371e5201a2552565bbae80b6
refs/heads/master
2022-10-05T07:08:43.085261
2020-06-10T00:09:43
2020-06-10T00:09:43
269,730,954
0
0
null
null
null
null
UTF-8
C++
false
false
2,226
h
// Copyright Epic Games, Inc. All Rights Reserved. /*=========================================================================== Generated code exported from UnrealHeaderTool. DO NOT modify this manually! Edit the corresponding .h files instead! ===========================================================================*/ #include "UObject/ObjectMacros.h" #include "UObject/ScriptMacros.h" PRAGMA_DISABLE_DEPRECATION_WARNINGS #ifdef AKAUDIO_AkAudioSession_generated_h #error "AkAudioSession.generated.h already included, missing '#pragma once' in AkAudioSession.h" #endif #define AKAUDIO_AkAudioSession_generated_h #define octoberBlock_Plugins_Wwise_Source_AkAudio_Classes_InitializationSettings_AkAudioSession_h_39_GENERATED_BODY \ friend struct Z_Construct_UScriptStruct_FAkAudioSession_Statics; \ AKAUDIO_API static class UScriptStruct* StaticStruct(); template<> AKAUDIO_API UScriptStruct* StaticStruct<struct FAkAudioSession>(); #undef CURRENT_FILE_ID #define CURRENT_FILE_ID octoberBlock_Plugins_Wwise_Source_AkAudio_Classes_InitializationSettings_AkAudioSession_h #define FOREACH_ENUM_EAKAUDIOSESSIONMODE(op) \ op(EAkAudioSessionMode::Default) \ op(EAkAudioSessionMode::VoiceChat) \ op(EAkAudioSessionMode::GameChat) \ op(EAkAudioSessionMode::VideoRecording) \ op(EAkAudioSessionMode::Measurement) \ op(EAkAudioSessionMode::MoviePlayback) \ op(EAkAudioSessionMode::VideoChat) enum class EAkAudioSessionMode; template<> AKAUDIO_API UEnum* StaticEnum<EAkAudioSessionMode>(); #define FOREACH_ENUM_EAKAUDIOSESSIONCATEGORYOPTIONS(op) \ op(EAkAudioSessionCategoryOptions::MixWithOthers) \ op(EAkAudioSessionCategoryOptions::DuckOthers) \ op(EAkAudioSessionCategoryOptions::AllowBluetooth) \ op(EAkAudioSessionCategoryOptions::DefaultToSpeaker) enum class EAkAudioSessionCategoryOptions : uint32; template<> AKAUDIO_API UEnum* StaticEnum<EAkAudioSessionCategoryOptions>(); #define FOREACH_ENUM_EAKAUDIOSESSIONCATEGORY(op) \ op(EAkAudioSessionCategory::Ambient) \ op(EAkAudioSessionCategory::SoloAmbient) \ op(EAkAudioSessionCategory::PlayAndRecord) enum class EAkAudioSessionCategory; template<> AKAUDIO_API UEnum* StaticEnum<EAkAudioSessionCategory>(); PRAGMA_ENABLE_DEPRECATION_WARNINGS
[ "Cthulchu@yandex.ru" ]
Cthulchu@yandex.ru
084b8a71d52e0dcdae3b7487f2a4f863b06bf4c5
c983a7d121aab6765033b92a05b902f6dc210c5b
/src/utils/estimatedruntimejobqueue.h
ffb3545a2a703bc694cb15b65158278b0b1af47f
[]
no_license
AlvioSim/kentosim
d77ba87a1f6d3effe8790a30124ca8e0471f9955
faf73a743438052d5d429af30119b8a4f8d5f66f
refs/heads/master
2016-09-02T04:09:23.509625
2015-01-08T13:55:26
2015-01-08T13:55:26
28,967,899
0
0
null
null
null
null
UTF-8
C++
false
false
1,792
h
#ifndef UTILSESTIMATEDRUNTIMEJOBQUEUE_H #define UTILSESTIMATEDRUNTIMEJOBQUEUE_H #include <scheduling/job.h> #include <utils/jobqueue.h> #include <assert.h> #include <set> #define ESTIMATED_RT_JOB_Qt 1 using namespace std; using std::set; using namespace Simulator; namespace Utils { /**< Comparation operation of two jobs based on it's submit time */ struct estimatedRT_lt_t { bool operator() (Job* job1, Job* job2) const { double x = job1->getRequestedTime(); double y = job2->getRequestedTime(); assert( x >= 0 && y >= 0 ); if( x != y ) return x < y; else return job1->getJobNumber() < job2->getJobNumber(); } }; /** * @author Francesc Guim,C6-E201,93 401 16 50, <fguim@pcmas.ac.upc.edu> */ /** Set based on the requested time */ typedef set<Job*, estimatedRT_lt_t> EstRTQueue; /** * This class implements a job queue where the order of the queue is based on the required runtime for the job. */ class EstimatedRunTimeJobQueue : public JobQueue{ public: EstimatedRunTimeJobQueue(); ~EstimatedRunTimeJobQueue(); /* Auxiliar functions and main functions */ virtual void insert(Job* job); virtual void erase(Job* job); virtual Job* headJob(); virtual Job* next(); //Function used for getting the next job in the current position, if null means that there are no more jobs, the jobs will be returned following the FCFS criteria virtual Job* begin(); virtual void deleteCurrent(); virtual bool contains(Job* job); EstRTQueue* getQueue(); private: EstRTQueue queue; /**< Contains the queue of jobs where they are sorted in the order defined in the comparaison operator */ EstRTQueue::iterator currentIterator; /**< The iterator that points to the current position that is being queried to the queue */ }; } #endif
[ "francesc.guim@gmail.com" ]
francesc.guim@gmail.com
b56e077363c59626f769e60a5dbbcd793a75f4f1
a1cfb326bbc57c11c0b3d196e8d9f00aaa3c1c81
/Hackerrank/applesAndOranges.cpp
cd56f779bc3a8314ec26844c0afb65e048eb8700
[]
no_license
MAlfanR/Competitive-Programming
905bbef29524cfcb7b17fa8f66b964f597bc88d5
ac9ef1ea8856d5c43d4630ef71b6641ccf42cc73
refs/heads/master
2021-07-03T04:28:51.782324
2020-09-22T05:24:41
2020-09-22T05:24:41
169,433,521
0
0
null
2019-11-21T06:30:55
2019-02-06T16:04:29
null
UTF-8
C++
false
false
2,395
cpp
#include <bits/stdc++.h> using namespace std; vector<string> split_string(string); // Complete the countApplesAndOranges function below. void countApplesAndOranges(int s, int t, int a, int b, vector<int> apples, vector<int> oranges) { int sum=0; int sum1=0; int x; for(int i=0; i<apples.size(); i++){ x= a + apples[i] ; if(x>=s && x<=t){ sum+=1; } } for(int i=0; i<oranges.size(); i++){ x= b + oranges[i] ; if(x>=s && x<=t){ sum1+=1; } } cout<<sum<<endl; cout<<sum1<<endl; } int main() { string st_temp; getline(cin, st_temp); vector<string> st = split_string(st_temp); int s = stoi(st[0]); int t = stoi(st[1]); string ab_temp; getline(cin, ab_temp); vector<string> ab = split_string(ab_temp); int a = stoi(ab[0]); int b = stoi(ab[1]); string mn_temp; getline(cin, mn_temp); vector<string> mn = split_string(mn_temp); int m = stoi(mn[0]); int n = stoi(mn[1]); string apples_temp_temp; getline(cin, apples_temp_temp); vector<string> apples_temp = split_string(apples_temp_temp); vector<int> apples(m); for (int i = 0; i < m; i++) { int apples_item = stoi(apples_temp[i]); apples[i] = apples_item; } string oranges_temp_temp; getline(cin, oranges_temp_temp); vector<string> oranges_temp = split_string(oranges_temp_temp); vector<int> oranges(n); for (int i = 0; i < n; i++) { int oranges_item = stoi(oranges_temp[i]); oranges[i] = oranges_item; } countApplesAndOranges(s, t, a, b, apples, oranges); return 0; } vector<string> split_string(string input_string) { string::iterator new_end = unique(input_string.begin(), input_string.end(), [] (const char &x, const char &y) { return x == y and x == ' '; }); input_string.erase(new_end, input_string.end()); while (input_string[input_string.length() - 1] == ' ') { input_string.pop_back(); } vector<string> splits; char delimiter = ' '; size_t i = 0; size_t pos = input_string.find(delimiter); while (pos != string::npos) { splits.push_back(input_string.substr(i, pos - i)); i = pos + 1; pos = input_string.find(delimiter, i); } splits.push_back(input_string.substr(i, min(pos, input_string.length()) - i + 1)); return splits; }
[ "alfanriyadi25@gmail.com" ]
alfanriyadi25@gmail.com
ca9d109e6a66ebe5c5d05465f1d082be20dbf8e3
fdf6b5417ca8701824dd7562853e419633738391
/ABC/ABC096/B.cpp
6f597d5b08d65ad4fff09219ff99deb4c825c1fc
[]
no_license
canon4444/AtCoder
b2cdb61217c2cf9ba8c66cf703f8a6ad57e97a0e
17c43cc10e25d2c7465b55e5cf7cf469bac7fd2b
refs/heads/master
2021-05-22T08:54:40.428286
2020-11-08T17:39:11
2020-11-08T17:39:11
27,902,393
2
0
null
null
null
null
UTF-8
C++
false
false
365
cpp
#include <iostream> #include <cmath> using namespace std; int main() { int A, B, C, K; cin >> A >> B >> C >> K; int ans = max(A, B); ans = max(ans, C); if( ans == A ) ans = A*pow(2, K) + B + C; else if( ans == B ) ans = A + B*pow(2, K) + C; else if( ans == C ) ans = A + B + C*pow(2, K); cout << ans << endl; return 0; }
[ "haruharu724@hotmail.com" ]
haruharu724@hotmail.com
d23bb106058318b669665e01a8b7099bdb114b8a
cd396e0cf8ca525394702994bec7c66bcbad3c91
/ChaptertA12_5(동적바인딩과 정적바인딩)/ChaptertA12_5.cpp
6b4d44009d11c8de4f84a856293dbb7605597534
[]
no_license
BlockJJam/MyCppStudy
c46794402be1186b60264724989c9a11b73ad1aa
4d42683da7b2596df2a697283c1c1cd3141e71c6
refs/heads/master
2020-09-05T22:39:57.974222
2019-11-22T06:19:06
2019-11-22T06:19:06
220,233,812
0
0
null
null
null
null
UHC
C++
false
false
787
cpp
/* 동적바인딩과 정적바인딩 */ #include <iostream> using namespace std; int add(int x, int y) { return x + y; } int sub(int x, int y) { return x - y; } int mul(int x, int y) { return x * y; } int main() { int op; cin >> op; int x = 2, y = 3; int result; // 정적바인딩 -> 성능 우수 switch (op) { case 0: result = add(x, y); break; case 1: result = sub(x, y); break; case 2: result = mul(x, y); break; default: break; } cout << result << endl; // 동적 바인딩 -> 프로그램 유연성 우수 int(*func_ptr) (int, int) = nullptr; switch (op) { case 0: func_ptr = add; break; case 1: func_ptr = sub; break; case 2: func_ptr = mul; break; default : break; } cout << func_ptr(x, y) << endl; return 0; }
[ "blockjjam99@gmail.com" ]
blockjjam99@gmail.com
0dab91e12d94587f7837bb3452fa81e5c24b18aa
2627c670695fc7e7ba129ae03da3f63f43a62a60
/RoomBreak/Fmod.h
77bb92365928aadae8a6f02b338e9cb99f041fa1
[]
no_license
clamli/RoomBreak
aef4bc4f5736e32227242e423ec5ea27034c826b
5723415d86a42c2c803edc869fc0d657efa2dce0
refs/heads/master
2020-03-27T22:57:59.905151
2019-05-17T20:26:03
2019-05-17T20:26:03
147,276,701
0
0
null
null
null
null
GB18030
C++
false
false
42,023
h
/* ========================================================================================== */ /* FMOD Main header file. Copyright (c), FireLight Multimedia 1999-2001. /*此部分代码参考网上!!!这部分代码主要不是自己实现的!!!!!!*/ /* ========================================================================================== */ #ifndef _FMOD_H_ #define _FMOD_H_ /* ========================================================================================== */ /* DEFINITIONS */ /* ========================================================================================== */ #if defined(PLATFORM_LINUX) || defined(__linux__) || (defined(__GNUC__) && defined(WIN32)) #ifndef _cdecl #define _cdecl #endif #ifndef _stdcall #define _stdcall #endif #define __PS __attribute__((packed)) /* gcc packed */ #else #define __PS /*dummy*/ #endif #define F_API _stdcall #ifdef DLL_EXPORTS #define DLL_API __declspec(dllexport) #else #ifdef __LCC__ #define DLL_API F_API #else #define DLL_API #endif /* __LCC__ */ #endif /* DLL_EXPORTS */ #define FMOD_VERSION 3.4f /* FMOD defined types */ typedef struct FSOUND_SAMPLE FSOUND_SAMPLE; typedef struct FSOUND_STREAM FSOUND_STREAM; typedef struct FSOUND_DSPUNIT FSOUND_DSPUNIT; typedef struct FMUSIC_MODULE FMUSIC_MODULE; typedef struct FSOUND_MATERIAL FSOUND_MATERIAL; typedef struct FSOUND_GEOMLIST FSOUND_GEOMLIST; /* Callback types */ typedef signed char(_cdecl *FSOUND_STREAMCALLBACK) (FSOUND_STREAM *stream, void *buff, int len, int param); typedef void * (_cdecl *FSOUND_DSPCALLBACK) (void *originalbuffer, void *newbuffer, int length, int param); typedef void(_cdecl *FMUSIC_CALLBACK) (FMUSIC_MODULE *mod, unsigned char param); /* [ENUM] [ [DESCRIPTION] On failure of commands in FMOD, use FSOUND_GetError to attain what happened. [SEE_ALSO] FSOUND_GetError ] */ enum FMOD_ERRORS { FMOD_ERR_NONE, /* No errors */ FMOD_ERR_BUSY, /* Cannot call this command after FSOUND_Init. Call FSOUND_Close first. */ FMOD_ERR_UNINITIALIZED, /* This command failed because FSOUND_Init or FSOUND_SetOutput was not called */ FMOD_ERR_INIT, /* Error initializing output device. */ FMOD_ERR_ALLOCATED, /* Error initializing output device, but more specifically, the output device is already in use and cannot be reused. */ FMOD_ERR_PLAY, /* Playing the sound failed. */ FMOD_ERR_OUTPUT_FORMAT, /* Soundcard does not support the features needed for this soundsystem (16bit stereo output) */ FMOD_ERR_COOPERATIVELEVEL, /* Error setting cooperative level for hardware. */ FMOD_ERR_CREATEBUFFER, /* Error creating hardware sound buffer. */ FMOD_ERR_FILE_NOTFOUND, /* File not found */ FMOD_ERR_FILE_FORMAT, /* Unknown file format */ FMOD_ERR_FILE_BAD, /* Error loading file */ FMOD_ERR_MEMORY, /* Not enough memory */ FMOD_ERR_VERSION, /* The version number of this file format is not supported */ FMOD_ERR_INVALID_PARAM, /* An invalid parameter was passed to this function */ FMOD_ERR_NO_EAX, /* Tried to use an EAX command on a non EAX enabled channel or output. */ FMOD_ERR_NO_EAX2, /* Tried to use an advanced EAX2 command on a non EAX2 enabled channel or output. */ FMOD_ERR_CHANNEL_ALLOC, /* Failed to allocate a new channel */ FMOD_ERR_RECORD, /* Recording is not supported on this machine */ FMOD_ERR_MEDIAPLAYER, /* Windows Media Player not installed so cannot play wma or use internet streaming. */ }; /* [ENUM] [ [DESCRIPTION] These output types are used with FSOUND_SetOutput, to choose which output driver to use. FSOUND_OUTPUT_DSOUND will not support hardware 3d acceleration if the sound card driver does not support DirectX 6 Voice Manager Extensions. FSOUND_OUTPUT_WINMM is recommended for NT and CE. [SEE_ALSO] FSOUND_SetOutput FSOUND_GetOutput ] */ enum FSOUND_OUTPUTTYPES { FSOUND_OUTPUT_NOSOUND, /* NoSound driver, all calls to this succeed but do nothing. */ FSOUND_OUTPUT_WINMM, /* Windows Multimedia driver. */ FSOUND_OUTPUT_DSOUND, /* DirectSound driver. You need this to get EAX or EAX2 support. */ FSOUND_OUTPUT_A3D, /* A3D driver. You need this to get geometry support. */ FSOUND_OUTPUT_OSS, /* Linux/Unix OSS (Open Sound System) driver, i.e. the kernel sound drivers. */ FSOUND_OUTPUT_ESD, /* Linux/Unix ESD (Enlightment Sound Daemon) driver. */ FSOUND_OUTPUT_ALSA /* Linux Alsa driver. */ }; /* [ENUM] [ [DESCRIPTION] These mixer types are used with FSOUND_SetMixer, to choose which mixer to use, or to act upon for other reasons using FSOUND_GetMixer. [SEE_ALSO] FSOUND_SetMixer FSOUND_GetMixer ] */ enum FSOUND_MIXERTYPES { FSOUND_MIXER_AUTODETECT, /* Enables autodetection of the fastest mixer based on your cpu. */ FSOUND_MIXER_BLENDMODE, /* Enables the standard non mmx, blendmode mixer. */ FSOUND_MIXER_MMXP5, /* Enables the mmx, pentium optimized blendmode mixer. */ FSOUND_MIXER_MMXP6, /* Enables the mmx, ppro/p2/p3 optimized mixer. */ FSOUND_MIXER_QUALITY_AUTODETECT,/* Enables autodetection of the fastest quality mixer based on your cpu. */ FSOUND_MIXER_QUALITY_FPU, /* Enables the interpolating/volume ramping FPU mixer. */ FSOUND_MIXER_QUALITY_MMXP5, /* Enables the interpolating/volume ramping p5 MMX mixer. */ FSOUND_MIXER_QUALITY_MMXP6, /* Enables the interpolating/volume ramping ppro/p2/p3+ MMX mixer. */ }; /* [ENUM] [ [DESCRIPTION] These definitions describe the type of song being played. [SEE_ALSO] FMUSIC_GetType ] */ enum FMUSIC_TYPES { FMUSIC_TYPE_NONE, FMUSIC_TYPE_MOD, /* Protracker / Fasttracker */ FMUSIC_TYPE_S3M, /* ScreamTracker 3 */ FMUSIC_TYPE_XM, /* FastTracker 2 */ FMUSIC_TYPE_IT, /* Impulse Tracker. */ FMUSIC_TYPE_MIDI, /* MIDI file */ }; /* [DEFINE_START] [ [NAME] FSOUND_DSP_PRIORITIES [DESCRIPTION] These default priorities are [SEE_ALSO] FSOUND_DSP_Create FSOUND_DSP_SetPriority FSOUND_DSP_GetSpectrum ] */ #define FSOUND_DSP_DEFAULTPRIORITY_CLEARUNIT 0 /* DSP CLEAR unit - done first */ #define FSOUND_DSP_DEFAULTPRIORITY_SFXUNIT 100 /* DSP SFX unit - done second */ #define FSOUND_DSP_DEFAULTPRIORITY_MUSICUNIT 200 /* DSP MUSIC unit - done third */ #define FSOUND_DSP_DEFAULTPRIORITY_USER 300 /* User priority, use this as reference */ #define FSOUND_DSP_DEFAULTPRIORITY_FFTUNIT 900 /* This reads data for FSOUND_DSP_GetSpectrum, so it comes after user units */ #define FSOUND_DSP_DEFAULTPRIORITY_CLIPANDCOPYUNIT 1000 /* DSP CLIP AND COPY unit - last */ /* [DEFINE_END] */ /* [DEFINE_START] [ [NAME] FSOUND_CAPS [DESCRIPTION] Driver description bitfields. Use FSOUND_Driver_GetCaps to determine if a driver enumerated has the settings you are after. The enumerated driver depends on the output mode, see FSOUND_OUTPUTTYPES [SEE_ALSO] FSOUND_GetDriverCaps FSOUND_OUTPUTTYPES ] */ #define FSOUND_CAPS_HARDWARE 0x1 /* This driver supports hardware accelerated 3d sound. */ #define FSOUND_CAPS_EAX 0x2 /* This driver supports EAX reverb */ #define FSOUND_CAPS_GEOMETRY_OCCLUSIONS 0x4 /* This driver supports (A3D) geometry occlusions */ #define FSOUND_CAPS_GEOMETRY_REFLECTIONS 0x8 /* This driver supports (A3D) geometry reflections */ #define FSOUND_CAPS_EAX2 0x10 /* This driver supports EAX2/A3D3 reverb */ /* [DEFINE_END] */ /* [DEFINE_START] [ [NAME] FSOUND_MODES [DESCRIPTION] Sample description bitfields, OR them together for loading and describing samples. NOTE. If the file format being loaded already has a defined format, such as WAV or MP3, then trying to override the pre-defined format with a new set of format flags will not work. For example, an 8 bit WAV file will not load as 16bit if you specify FSOUND_16BITS. It will just ignore the flag and go ahead loading it as 8bits. For these type of formats the only flags you can specify that will really alter the behaviour of how it is loaded, are the following. FSOUND_LOOP_OFF FSOUND_LOOP_NORMAL FSOUND_LOOP_BIDI FSOUND_HW3D FSOUND_2D FSOUND_STREAMABLE FSOUND_LOADMEMORY FSOUND_LOADRAW FSOUND_MPEGACCURATE See flag descriptions for what these do. ] */ #define FSOUND_LOOP_OFF 0x00000001 /* For non looping samples. */ #define FSOUND_LOOP_NORMAL 0x00000002 /* For forward looping samples. */ #define FSOUND_LOOP_BIDI 0x00000004 /* For bidirectional looping samples. (no effect if in hardware). */ #define FSOUND_8BITS 0x00000008 /* For 8 bit samples. */ #define FSOUND_16BITS 0x00000010 /* For 16 bit samples. */ #define FSOUND_MONO 0x00000020 /* For mono samples. */ #define FSOUND_STEREO 0x00000040 /* For stereo samples. */ #define FSOUND_UNSIGNED 0x00000080 /* For source data containing unsigned samples. */ #define FSOUND_SIGNED 0x00000100 /* For source data containing signed data. */ #define FSOUND_DELTA 0x00000200 /* For source data stored as delta values. */ #define FSOUND_IT214 0x00000400 /* For source data stored using IT214 compression. */ #define FSOUND_IT215 0x00000800 /* For source data stored using IT215 compression. */ #define FSOUND_HW3D 0x00001000 /* Attempts to make samples use 3d hardware acceleration. (if the card supports it) */ #define FSOUND_2D 0x00002000 /* Ignores any 3d processing. Overrides FSOUND_HW3D. Located in software. */ #define FSOUND_STREAMABLE 0x00004000 /* For a streamomg sound where you feed the data to it. If you dont supply this sound may come out corrupted. (only affects a3d output) */ #define FSOUND_LOADMEMORY 0x00008000 /* "name" will be interpreted as a pointer to data for streaming and samples. */ #define FSOUND_LOADRAW 0x00010000 /* Will ignore file format and treat as raw pcm. */ #define FSOUND_MPEGACCURATE 0x00020000 /* For FSOUND_Stream_OpenFile - for accurate FSOUND_Stream_GetLengthMs/FSOUND_Stream_SetTime. WARNING, see FSOUNDStream_OpenFile for inital opening time performance issues. */ #define FSOUND_FORCEMONO 0x00040000 /* For forcing stereo streams and samples to be mono - needed with FSOUND_HW3D - incurs speed hit */ #define FSOUND_HW2D 0x00080000 /* 2D hardware sounds. allows hardware specific effects */ #define FSOUND_ENABLEFX 0x00100000 /* Allows DX8 FX to be played back on a sound. Requires DirectX 8 - Note these sounds cannot be played more than once, be 8 bit, be less than a certain size, or have a changing frequency */ /* FSOUND_NORMAL is a default sample type. Loop off, 8bit mono, signed, not hardware accelerated. Some API functions ignore 8bits and mono, as it may be an mpeg/wav/etc which has its format predetermined. */ #define FSOUND_NORMAL (FSOUND_LOOP_OFF | FSOUND_8BITS | FSOUND_MONO) /* [DEFINE_END] */ /* [DEFINE_START] [ [NAME] FSOUND_CDPLAYMODES [DESCRIPTION] Playback method for a CD Audio track, using FSOUND_CD_Play [SEE_ALSO] FSOUND_CD_Play ] */ #define FSOUND_CD_PLAYCONTINUOUS 0 /* Starts from the current track and plays to end of CD. */ #define FSOUND_CD_PLAYONCE 1 /* Plays the specified track then stops. */ #define FSOUND_CD_PLAYLOOPED 2 /* Plays the specified track looped, forever until stopped manually. */ #define FSOUND_CD_PLAYRANDOM 3 /* Plays tracks in random order */ /* [DEFINE_END] */ /* [DEFINE_START] [ [NAME] FSOUND_MISC_VALUES [DESCRIPTION] Miscellaneous values for FMOD functions. [SEE_ALSO] FSOUND_PlaySound FSOUND_PlaySoundEx FSOUND_Sample_Alloc FSOUND_Sample_Load FSOUND_SetPan ] */ #define FSOUND_FREE -1 /* value to play on any free channel, or to allocate a sample in a free sample slot. */ #define FSOUND_UNMANAGED -2 /* value to allocate a sample that is NOT managed by FSOUND or placed in a sample slot. */ #define FSOUND_ALL -3 /* for a channel index , this flag will affect ALL channels available! Not supported by every function. */ #define FSOUND_STEREOPAN -1 /* value for FSOUND_SetPan so that stereo sounds are not played at half volume. See FSOUND_SetPan for more on this. */ #define FSOUND_SYSTEMCHANNEL -1000 /* special channel ID for channel based functions that want to alter the global FSOUND software mixing output channel */ /* [DEFINE_END] */ /* [ENUM] [ [DESCRIPTION] These are environment types defined for use with the FSOUND_Reverb API. [SEE_ALSO] FSOUND_Reverb_SetEnvironment FSOUND_Reverb_SetEnvironmentAdvanced ] */ enum FSOUND_REVERB_ENVIRONMENTS { FSOUND_ENVIRONMENT_GENERIC, FSOUND_ENVIRONMENT_PADDEDCELL, FSOUND_ENVIRONMENT_ROOM, FSOUND_ENVIRONMENT_BATHROOM, FSOUND_ENVIRONMENT_LIVINGROOM, FSOUND_ENVIRONMENT_STONEROOM, FSOUND_ENVIRONMENT_AUDITORIUM, FSOUND_ENVIRONMENT_CONCERTHALL, FSOUND_ENVIRONMENT_CAVE, FSOUND_ENVIRONMENT_ARENA, FSOUND_ENVIRONMENT_HANGAR, FSOUND_ENVIRONMENT_CARPETEDHALLWAY, FSOUND_ENVIRONMENT_HALLWAY, FSOUND_ENVIRONMENT_STONECORRIDOR, FSOUND_ENVIRONMENT_ALLEY, FSOUND_ENVIRONMENT_FOREST, FSOUND_ENVIRONMENT_CITY, FSOUND_ENVIRONMENT_MOUNTAINS, FSOUND_ENVIRONMENT_QUARRY, FSOUND_ENVIRONMENT_PLAIN, FSOUND_ENVIRONMENT_PARKINGLOT, FSOUND_ENVIRONMENT_SEWERPIPE, FSOUND_ENVIRONMENT_UNDERWATER, FSOUND_ENVIRONMENT_DRUGGED, FSOUND_ENVIRONMENT_DIZZY, FSOUND_ENVIRONMENT_PSYCHOTIC, FSOUND_ENVIRONMENT_COUNT }; /* [DEFINE_START] [ [NAME] FSOUND_REVERBMIX_USEDISTANCE [DESCRIPTION] Used with FSOUND_Reverb_SetMix, this setting allows reverb to attenuate based on distance from the listener. Instead of hard coding a value with FSOUND_Reverb_SetMix, this value can be used instead, for a more natural reverb dropoff. [SEE_ALSO] FSOUND_Reverb_SetMix ] */ #define FSOUND_REVERBMIX_USEDISTANCE -1.0f /* used with FSOUND_Reverb_SetMix to scale reverb by distance */ /* [DEFINE_END] */ /* [DEFINE_START] [ [NAME] FSOUND_REVERB_IGNOREPARAM [DESCRIPTION] Used with FSOUND_Reverb_SetEnvironment and FSOUND_Reverb_SetEnvironmentAdvanced, this can be placed in the place of a specific parameter for the reverb setting. It allows you to not set any parameters except the ones you are interested in .. and example would be this. FSOUND_Reverb_SetEnvironment(FSOUND_REVERB_IGNOREPARAM, FSOUND_REVERB_IGNOREPARAM, FSOUND_REVERB_IGNOREPARAM, 0.0f); This means env, vol and decay are left alone, but damp is set to 0. [SEE_ALSO] FSOUND_Reverb_SetEnvironment FSOUND_Reverb_SetEnvironmentAdvanced ] */ #define FSOUND_REVERB_IGNOREPARAM -9999999 /* used with FSOUND_Reverb_SetEnvironmentAdvanced to ignore certain parameters by choice. */ /* [DEFINE_END] */ /* [DEFINE_START] [ [NAME] FSOUND_REVERB_PRESETS [DESCRIPTION] A set of predefined environment PARAMETERS, created by Creative Labs These can be placed directly into the FSOUND_Reverb_SetEnvironment call [SEE_ALSO] FSOUND_Reverb_SetEnvironment ] */ #define FSOUND_PRESET_OFF FSOUND_ENVIRONMENT_GENERIC,0.0f,0.0f,0.0f #define FSOUND_PRESET_GENERIC FSOUND_ENVIRONMENT_GENERIC,0.5f,1.493f,0.5f #define FSOUND_PRESET_PADDEDCELL FSOUND_ENVIRONMENT_PADDEDCELL,0.25f,0.1f,0.0f #define FSOUND_PRESET_ROOM FSOUND_ENVIRONMENT_ROOM,0.417f,0.4f,0.666f #define FSOUND_PRESET_BATHROOM FSOUND_ENVIRONMENT_BATHROOM,0.653f,1.499f,0.166f #define FSOUND_PRESET_LIVINGROOM FSOUND_ENVIRONMENT_LIVINGROOM,0.208f,0.478f,0.0f #define FSOUND_PRESET_STONEROOM FSOUND_ENVIRONMENT_STONEROOM,0.5f,2.309f,0.888f #define FSOUND_PRESET_AUDITORIUM FSOUND_ENVIRONMENT_AUDITORIUM,0.403f,4.279f,0.5f #define FSOUND_PRESET_CONCERTHALL FSOUND_ENVIRONMENT_CONCERTHALL,0.5f,3.961f,0.5f #define FSOUND_PRESET_CAVE FSOUND_ENVIRONMENT_CAVE,0.5f,2.886f,1.304f #define FSOUND_PRESET_ARENA FSOUND_ENVIRONMENT_ARENA,0.361f,7.284f,0.332f #define FSOUND_PRESET_HANGAR FSOUND_ENVIRONMENT_HANGAR,0.5f,10.0f,0.3f #define FSOUND_PRESET_CARPETEDHALLWAY FSOUND_ENVIRONMENT_CARPETEDHALLWAY,0.153f,0.259f,2.0f #define FSOUND_PRESET_HALLWAY FSOUND_ENVIRONMENT_HALLWAY,0.361f,1.493f,0.0f #define FSOUND_PRESET_STONECORRIDOR FSOUND_ENVIRONMENT_STONECORRIDOR,0.444f,2.697f,0.638f #define FSOUND_PRESET_ALLEY FSOUND_ENVIRONMENT_ALLEY,0.25f,1.752f,0.776f #define FSOUND_PRESET_FOREST FSOUND_ENVIRONMENT_FOREST,0.111f,3.145f,0.472f #define FSOUND_PRESET_CITY FSOUND_ENVIRONMENT_CITY,0.111f,2.767f,0.224f #define FSOUND_PRESET_MOUNTAINS FSOUND_ENVIRONMENT_MOUNTAINS,0.194f,7.841f,0.472f #define FSOUND_PRESET_QUARRY FSOUND_ENVIRONMENT_QUARRY,1.0f,1.499f,0.5f #define FSOUND_PRESET_PLAIN FSOUND_ENVIRONMENT_PLAIN,0.097f,2.767f,0.224f #define FSOUND_PRESET_PARKINGLOT FSOUND_ENVIRONMENT_PARKINGLOT,0.208f,1.652f,1.5f #define FSOUND_PRESET_SEWERPIPE FSOUND_ENVIRONMENT_SEWERPIPE,0.652f,2.886f,0.25f #define FSOUND_PRESET_UNDERWATER FSOUND_ENVIRONMENT_UNDERWATER,1.0f,1.499f,0.0f #define FSOUND_PRESET_DRUGGED FSOUND_ENVIRONMENT_DRUGGED,0.875f, 8.392f,1.388f #define FSOUND_PRESET_DIZZY FSOUND_ENVIRONMENT_DIZZY,0.139f,17.234f,0.666f #define FSOUND_PRESET_PSYCHOTIC FSOUND_ENVIRONMENT_PSYCHOTIC,0.486f,7.563f,0.806f /* [DEFINE_END] */ /* [DEFINE_START] [ [NAME] FSOUND_GEOMETRY_MODES [DESCRIPTION] Geometry flags, used as the mode flag in FSOUND_Geometry_AddPolygon [SEE_ALSO] FSOUND_Geometry_AddPolygon ] */ #define FSOUND_GEOMETRY_NORMAL 0x00 /* Default geometry type. Occluding polygon */ #define FSOUND_GEOMETRY_REFLECTIVE 0x01 /* This polygon is reflective */ #define FSOUND_GEOMETRY_OPENING 0x02 /* Overlays a transparency over the previous polygon. The openingfactor value supplied is copied internally. */ #define FSOUND_GEOMETRY_OPENING_REFERENCE 0x04 /* Overlays a transparency over the previous polygon. The openingfactor supplied is pointed to (for access when building a list) */ /* [DEFINE_END] */ /* [DEFINE_START] [ [NAME] FSOUND_FX_MODES [DESCRIPTION] These flags are used with FSOUND_FX_Enable to enable or disable DirectX 8 FX for a channel. [SEE_ALSO] FSOUND_FX_Enable FSOUND_FX_SetChorus FSOUND_FX_SetCompressor FSOUND_FX_SetDistortion FSOUND_FX_SetEcho FSOUND_FX_SetFlanger FSOUND_FX_SetGargle FSOUND_FX_SetI3DL2Reverb FSOUND_FX_SetParamEQ FSOUND_FX_SetWavesReverb ] */ #define FSOUND_FX_CHORUS 0x001 #define FSOUND_FX_COMPRESSOR 0x002 #define FSOUND_FX_DISTORTION 0x004 #define FSOUND_FX_ECHO 0x008 #define FSOUND_FX_FLANGER 0x010 #define FSOUND_FX_GARGLE 0x020 #define FSOUND_FX_I3DL2REVERB 0x040 #define FSOUND_FX_PARAMEQ 0x080 #define FSOUND_FX_WAVES_REVERB 0x100 /* [DEFINE_END] */ /* [ENUM] [ [DESCRIPTION] These are speaker types defined for use with the FSOUND_SetSpeakerMode command. Note that this only works with FSOUND_OUTPUT_DSOUND output mode. [SEE_ALSO] FSOUND_SetSpeakerMode ] */ enum FSOUND_SPEAKERMODES { FSOUND_SPEAKERMODE_5POINT1, /* The audio is played through a speaker arrangement of surround speakers with a subwoofer. */ FSOUND_SPEAKERMODE_HEADPHONE, /* The speakers are headphones. */ FSOUND_SPEAKERMODE_MONO, /* The speakers are monaural. */ FSOUND_SPEAKERMODE_QUAD, /* The speakers are quadraphonic. */ FSOUND_SPEAKERMODE_STEREO, /* The speakers are stereo (default value). */ FSOUND_SPEAKERMODE_SURROUND /* The speakers are surround sound. */ }; /* [DEFINE_START] [ [NAME] FSOUND_INIT_FLAGS [DESCRIPTION] Initialization flags. Use them with FSOUND_Init in the flags parameter to change various behaviour. FSOUND_INIT_ENABLEOUTPUTFX Is an init mode which enables the FSOUND mixer buffer to be affected by DirectX 8 effects. Note that due to limitations of DirectSound, FSOUND_Init may fail if this is enabled because the buffersize is too small. This can be fixed with FSOUND_SetBufferSize. Increase the BufferSize until it works. When it is enabled you can use the FSOUND_FX api, and use FSOUND [SEE_ALSO] FSOUND_Init ] */ #define FSOUND_INIT_USEDEFAULTMIDISYNTH 0x01 /* Causes MIDI playback to force software decoding. */ #define FSOUND_INIT_GLOBALFOCUS 0x02 /* For DirectSound output - sound is not muted when window is out of focus. */ #define FSOUND_INIT_ENABLEOUTPUTFX 0x04 /* For DirectSound output - Allows FSOUND_FX api to be used on global software mixer output! */ /* [DEFINE_END] */ /* ========================================================================================== */ /* FUNCTION PROTOTYPES */ /* ========================================================================================== */ #ifdef __cplusplus extern "C" { #endif /* ================================== */ /* Initialization / Global functions. */ /* ================================== */ /* PRE - FSOUND_Init functions. These can't be called after FSOUND_Init is called (they will fail). They set up FMOD system functionality. */ DLL_API signed char F_API FSOUND_SetOutput(int outputtype); DLL_API signed char F_API FSOUND_SetDriver(int driver); DLL_API signed char F_API FSOUND_SetMixer(int mixer); DLL_API signed char F_API FSOUND_SetBufferSize(int len_ms); DLL_API signed char F_API FSOUND_SetHWND(void *hwnd); DLL_API signed char F_API FSOUND_SetMinHardwareChannels(int min); DLL_API signed char F_API FSOUND_SetMaxHardwareChannels(int max); /* Main initialization / closedown functions. Note : Use FSOUND_INIT_USEDEFAULTMIDISYNTH with FSOUND_Init for software override with MIDI playback. : Use FSOUND_INIT_GLOBALFOCUS with FSOUND_Init to make sound audible no matter which window is in focus. */ DLL_API signed char F_API FSOUND_Init(int mixrate, int maxsoftwarechannels, unsigned int flags); DLL_API void F_API FSOUND_Close(); /* Runtime system level functions */ DLL_API void F_API FSOUND_SetSpeakerMode(unsigned int speakermode); DLL_API void F_API FSOUND_SetSFXMasterVolume(int volume); DLL_API void F_API FSOUND_SetPanSeperation(float pansep); DLL_API void F_API FSOUND_File_SetCallbacks( unsigned int(_cdecl *OpenCallback)(const char *name), void(_cdecl *CloseCallback)(unsigned int handle), int(_cdecl *ReadCallback)(void *buffer, int size, unsigned int handle), int(_cdecl *SeekCallback)(unsigned int handle, int pos, signed char mode), int(_cdecl *TellCallback)(unsigned int handle)); /* System information functions. */ DLL_API int F_API FSOUND_GetError(); DLL_API float F_API FSOUND_GetVersion(); DLL_API int F_API FSOUND_GetOutput(); DLL_API void * F_API FSOUND_GetOutputHandle(); DLL_API int F_API FSOUND_GetDriver(); DLL_API int F_API FSOUND_GetMixer(); DLL_API int F_API FSOUND_GetNumDrivers(); DLL_API signed char * F_API FSOUND_GetDriverName(int id); DLL_API signed char F_API FSOUND_GetDriverCaps(int id, unsigned int *caps); DLL_API int F_API FSOUND_GetOutputRate(); DLL_API int F_API FSOUND_GetMaxChannels(); DLL_API int F_API FSOUND_GetMaxSamples(); DLL_API int F_API FSOUND_GetSFXMasterVolume(); DLL_API int F_API FSOUND_GetNumHardwareChannels(); DLL_API int F_API FSOUND_GetChannelsPlaying(); DLL_API float F_API FSOUND_GetCPUUsage(); /* =================================== */ /* Sample management / load functions. */ /* =================================== */ /* Sample creation and management functions Note : Use FSOUND_LOADMEMORY flag with FSOUND_Sample_Load to load from memory. Use FSOUND_LOADRAW flag with FSOUND_Sample_Load to treat as as raw pcm data. */ DLL_API FSOUND_SAMPLE * F_API FSOUND_Sample_Load(int index, const char *name, unsigned int mode, int memlength); DLL_API FSOUND_SAMPLE * F_API FSOUND_Sample_Alloc(int index, int length, unsigned int mode, int deffreq, int defvol, int defpan, int defpri); DLL_API void F_API FSOUND_Sample_Free(FSOUND_SAMPLE *sptr); DLL_API signed char F_API FSOUND_Sample_Upload(FSOUND_SAMPLE *sptr, void *srcdata, unsigned int mode); DLL_API signed char F_API FSOUND_Sample_Lock(FSOUND_SAMPLE *sptr, int offset, int length, void **ptr1, void **ptr2, unsigned int *len1, unsigned int *len2); DLL_API signed char F_API FSOUND_Sample_Unlock(FSOUND_SAMPLE *sptr, void *ptr1, void *ptr2, unsigned int len1, unsigned int len2); /* Sample control functions */ DLL_API signed char F_API FSOUND_Sample_SetLoopMode(FSOUND_SAMPLE *sptr, unsigned int loopmode); DLL_API signed char F_API FSOUND_Sample_SetLoopPoints(FSOUND_SAMPLE *sptr, int loopstart, int loopend); DLL_API signed char F_API FSOUND_Sample_SetDefaults(FSOUND_SAMPLE *sptr, int deffreq, int defvol, int defpan, int defpri); DLL_API signed char F_API FSOUND_Sample_SetMinMaxDistance(FSOUND_SAMPLE *sptr, float min, float max); /* Sample information functions */ DLL_API FSOUND_SAMPLE * F_API FSOUND_Sample_Get(int sampno); DLL_API char * F_API FSOUND_Sample_GetName(FSOUND_SAMPLE *sptr); DLL_API unsigned int F_API FSOUND_Sample_GetLength(FSOUND_SAMPLE *sptr); DLL_API signed char F_API FSOUND_Sample_GetLoopPoints(FSOUND_SAMPLE *sptr, int *loopstart, int *loopend); DLL_API signed char F_API FSOUND_Sample_GetDefaults(FSOUND_SAMPLE *sptr, int *deffreq, int *defvol, int *defpan, int *defpri); DLL_API unsigned int F_API FSOUND_Sample_GetMode(FSOUND_SAMPLE *sptr); /* ============================ */ /* Channel control functions. */ /* ============================ */ /* Playing and stopping sounds. */ DLL_API int F_API FSOUND_PlaySound(int channel, FSOUND_SAMPLE *sptr); DLL_API int F_API FSOUND_PlaySoundEx(int channel, FSOUND_SAMPLE *sptr, FSOUND_DSPUNIT *dsp, signed char startpaused); DLL_API signed char F_API FSOUND_StopSound(int channel); /* Functions to control playback of a channel. */ DLL_API signed char F_API FSOUND_SetFrequency(int channel, int freq); DLL_API signed char F_API FSOUND_SetVolume(int channel, int vol); DLL_API signed char F_API FSOUND_SetVolumeAbsolute(int channel, int vol); DLL_API signed char F_API FSOUND_SetPan(int channel, int pan); DLL_API signed char F_API FSOUND_SetSurround(int channel, signed char surround); DLL_API signed char F_API FSOUND_SetMute(int channel, signed char mute); DLL_API signed char F_API FSOUND_SetPriority(int channel, int priority); DLL_API signed char F_API FSOUND_SetReserved(int channel, signed char reserved); DLL_API signed char F_API FSOUND_SetPaused(int channel, signed char paused); DLL_API signed char F_API FSOUND_SetLoopMode(int channel, unsigned int loopmode); DLL_API signed char F_API FSOUND_SetCurrentPosition(int channel, unsigned int offset); /* Functions to control DX8 only effects processing. Note that FX enabled samples can only be played once at a time. */ DLL_API signed char F_API FSOUND_FX_Enable(int channel, unsigned int fx); /* Set bits to enable following fx */ DLL_API signed char F_API FSOUND_FX_SetChorus(int channel, float WetDryMix, float Depth, float Feedback, float Frequency, int Waveform, float Delay, int Phase); DLL_API signed char F_API FSOUND_FX_SetCompressor(int channel, float Gain, float Attack, float Release, float Threshold, float Ratio, float Predelay); DLL_API signed char F_API FSOUND_FX_SetDistortion(int channel, float Gain, float Edge, float PostEQCenterFrequency, float PostEQBandwidth, float PreLowpassCutoff); DLL_API signed char F_API FSOUND_FX_SetEcho(int channel, float WetDryMix, float Feedback, float LeftDelay, float RightDelay, int PanDelay); DLL_API signed char F_API FSOUND_FX_SetFlanger(int channel, float WetDryMix, float Depth, float Feedback, float Frequency, int Waveform, float Delay, int Phase); DLL_API signed char F_API FSOUND_FX_SetGargle(int channel, int RateHz, int WaveShape); DLL_API signed char F_API FSOUND_FX_SetI3DL2Reverb(int channel, int Room, int RoomHF, float RoomRolloffFactor, float DecayTime, float DecayHFRatio, int Reflections, float ReflectionsDelay, int Reverb, float ReverbDelay, float Diffusion, float Density, float HFReference); DLL_API signed char F_API FSOUND_FX_SetParamEQ(int channel, float Center, float Bandwidth, float Gain); DLL_API signed char F_API FSOUND_FX_SetWavesReverb(int channel, float InGain, float ReverbMix, float ReverbTime, float HighFreqRTRatio); /* Channel information functions. */ DLL_API signed char F_API FSOUND_IsPlaying(int channel); DLL_API int F_API FSOUND_GetFrequency(int channel); DLL_API int F_API FSOUND_GetVolume(int channel); DLL_API int F_API FSOUND_GetPan(int channel); DLL_API signed char F_API FSOUND_GetSurround(int channel); DLL_API signed char F_API FSOUND_GetMute(int channel); DLL_API int F_API FSOUND_GetPriority(int channel); DLL_API signed char F_API FSOUND_GetReserved(int channel); DLL_API signed char F_API FSOUND_GetPaused(int channel); DLL_API unsigned int F_API FSOUND_GetCurrentPosition(int channel); DLL_API FSOUND_SAMPLE * F_API FSOUND_GetCurrentSample(int channel); DLL_API float F_API FSOUND_GetCurrentVU(int channel); /* =================== */ /* 3D sound functions. */ /* =================== */ /* See also FSOUND_Sample_SetMinMaxDistance (above) */ DLL_API void F_API FSOUND_3D_Update(); DLL_API signed char F_API FSOUND_3D_SetAttributes(int channel, float *pos, float *vel); DLL_API signed char F_API FSOUND_3D_GetAttributes(int channel, float *pos, float *vel); DLL_API void F_API FSOUND_3D_Listener_SetAttributes(float *pos, float *vel, float fx, float fy, float fz, float tx, float ty, float tz); DLL_API void F_API FSOUND_3D_Listener_GetAttributes(float *pos, float *vel, float *fx, float *fy, float *fz, float *tx, float *ty, float *tz); DLL_API void F_API FSOUND_3D_Listener_SetDopplerFactor(float scale); DLL_API void F_API FSOUND_3D_Listener_SetDistanceFactor(float scale); DLL_API void F_API FSOUND_3D_Listener_SetRolloffFactor(float scale); /* ========================= */ /* File Streaming functions. */ /* ========================= */ /* Note : Use FSOUND_LOADMEMORY flag with FSOUND_Stream_OpenFile to stream from memory. Use FSOUND_LOADRAW flag with FSOUND_Stream_OpenFile to treat stream as raw pcm data. Use FSOUND_MPEGACCURATE flag with FSOUND_Stream_OpenFile to open mpegs in 'accurate mode' for settime/gettime/getlengthms. */ DLL_API FSOUND_STREAM * F_API FSOUND_Stream_OpenFile(const char *filename, unsigned int mode, int memlength); DLL_API FSOUND_STREAM * F_API FSOUND_Stream_Create(FSOUND_STREAMCALLBACK callback, int length, unsigned int mode, int samplerate, int userdata); DLL_API int F_API FSOUND_Stream_Play(int channel, FSOUND_STREAM *stream); DLL_API int F_API FSOUND_Stream_PlayEx(int channel, FSOUND_STREAM *stream, FSOUND_DSPUNIT *dsp, signed char startpaused); DLL_API signed char F_API FSOUND_Stream_Stop(FSOUND_STREAM *stream); DLL_API signed char F_API FSOUND_Stream_Close(FSOUND_STREAM *stream); DLL_API signed char F_API FSOUND_Stream_SetEndCallback(FSOUND_STREAM *stream, FSOUND_STREAMCALLBACK callback, int userdata); DLL_API signed char F_API FSOUND_Stream_SetSynchCallback(FSOUND_STREAM *stream, FSOUND_STREAMCALLBACK callback, int userdata); DLL_API FSOUND_SAMPLE * F_API FSOUND_Stream_GetSample(FSOUND_STREAM *stream); /* every stream contains a sample to playback on */ DLL_API FSOUND_DSPUNIT *F_API FSOUND_Stream_CreateDSP(FSOUND_STREAM *stream, FSOUND_DSPCALLBACK callback, int priority, int param); DLL_API signed char F_API FSOUND_Stream_SetPosition(FSOUND_STREAM *stream, unsigned int position); DLL_API unsigned int F_API FSOUND_Stream_GetPosition(FSOUND_STREAM *stream); DLL_API signed char F_API FSOUND_Stream_SetTime(FSOUND_STREAM *stream, int ms); DLL_API int F_API FSOUND_Stream_GetTime(FSOUND_STREAM *stream); DLL_API int F_API FSOUND_Stream_GetLength(FSOUND_STREAM *stream); DLL_API int F_API FSOUND_Stream_GetLengthMs(FSOUND_STREAM *stream); /* =================== */ /* CD audio functions. */ /* =================== */ DLL_API signed char F_API FSOUND_CD_Play(int track); DLL_API void F_API FSOUND_CD_SetPlayMode(signed char mode); DLL_API signed char F_API FSOUND_CD_Stop(); DLL_API signed char F_API FSOUND_CD_SetPaused(signed char paused); DLL_API signed char F_API FSOUND_CD_SetVolume(int volume); DLL_API signed char F_API FSOUND_CD_Eject(); DLL_API signed char F_API FSOUND_CD_GetPaused(); DLL_API int F_API FSOUND_CD_GetTrack(); DLL_API int F_API FSOUND_CD_GetNumTracks(); DLL_API int F_API FSOUND_CD_GetVolume(); DLL_API int F_API FSOUND_CD_GetTrackLength(int track); DLL_API int F_API FSOUND_CD_GetTrackTime(); /* ============== DSP functions. ============== */ /* DSP Unit control and information functions. */ DLL_API FSOUND_DSPUNIT *F_API FSOUND_DSP_Create(FSOUND_DSPCALLBACK callback, int priority, int param); DLL_API void F_API FSOUND_DSP_Free(FSOUND_DSPUNIT *unit); DLL_API void F_API FSOUND_DSP_SetPriority(FSOUND_DSPUNIT *unit, int priority); DLL_API int F_API FSOUND_DSP_GetPriority(FSOUND_DSPUNIT *unit); DLL_API void F_API FSOUND_DSP_SetActive(FSOUND_DSPUNIT *unit, signed char active); DLL_API signed char F_API FSOUND_DSP_GetActive(FSOUND_DSPUNIT *unit); /* Functions to get hold of FSOUND 'system DSP unit' handles. */ DLL_API FSOUND_DSPUNIT *F_API FSOUND_DSP_GetClearUnit(); DLL_API FSOUND_DSPUNIT *F_API FSOUND_DSP_GetSFXUnit(); DLL_API FSOUND_DSPUNIT *F_API FSOUND_DSP_GetMusicUnit(); DLL_API FSOUND_DSPUNIT *F_API FSOUND_DSP_GetClipAndCopyUnit(); DLL_API FSOUND_DSPUNIT *F_API FSOUND_DSP_GetFFTUnit(); /* Miscellaneous DSP functions */ DLL_API signed char F_API FSOUND_DSP_MixBuffers(void *destbuffer, void *srcbuffer, int len, int freq, int vol, int pan, unsigned int mode); DLL_API void F_API FSOUND_DSP_ClearMixBuffer(); DLL_API int F_API FSOUND_DSP_GetBufferLength(); /* Length of each DSP update */ DLL_API int F_API FSOUND_DSP_GetBufferLengthTotal(); /* Total buffer length due to FSOUND_SetBufferSize */ DLL_API float * F_API FSOUND_DSP_GetSpectrum(); /* Array of 512 floats */ /* ================================================ */ /* Geometry functions. (NOT SUPPORTED IN LINUX/CE) */ /* ================================================ */ /* Scene/Polygon functions */ DLL_API signed char F_API FSOUND_Geometry_AddPolygon(float *p1, float *p2, float *p3, float *p4, float *normal, unsigned int mode, float *openingfactor); DLL_API int F_API FSOUND_Geometry_AddList(FSOUND_GEOMLIST *geomlist); /* Polygon list functions */ DLL_API FSOUND_GEOMLIST * F_API FSOUND_Geometry_List_Create(signed char boundingvolume); DLL_API signed char F_API FSOUND_Geometry_List_Free(FSOUND_GEOMLIST *geomlist); DLL_API signed char F_API FSOUND_Geometry_List_Begin(FSOUND_GEOMLIST *geomlist); DLL_API signed char F_API FSOUND_Geometry_List_End(FSOUND_GEOMLIST *geomlist); /* Material functions */ DLL_API FSOUND_MATERIAL * F_API FSOUND_Geometry_Material_Create(); DLL_API signed char F_API FSOUND_Geometry_Material_Free(FSOUND_MATERIAL *material); DLL_API signed char F_API FSOUND_Geometry_Material_SetAttributes(FSOUND_MATERIAL *material, float reflectancegain, float reflectancefreq, float transmittancegain, float transmittancefreq); DLL_API signed char F_API FSOUND_Geometry_Material_GetAttributes(FSOUND_MATERIAL *material, float *reflectancegain, float *reflectancefreq, float *transmittancegain, float *transmittancefreq); DLL_API signed char F_API FSOUND_Geometry_Material_Set(FSOUND_MATERIAL *material); /* ========================================================================== */ /* Reverb functions. (eax, eax2, a3d 3.0 reverb) (NOT SUPPORTED IN LINUX/CE) */ /* ========================================================================== */ /* Supporing EAX1, EAX2, A3D 3.0 (use FSOUND_REVERB_PRESETS if you like), (EAX2 support through emulation/parameter conversion) */ DLL_API signed char F_API FSOUND_Reverb_SetEnvironment(int env, float vol, float decay, float damp); /* Supporting EAX2, A3D 3.0 only. Has no effect on EAX1 */ DLL_API signed char F_API FSOUND_Reverb_SetEnvironmentAdvanced( int env, int Room, /* [-10000, 0] default: -10000 mB or use FSOUND_REVERB_IGNOREPARAM */ int RoomHF, /* [-10000, 0] default: 0 mB or use FSOUND_REVERB_IGNOREPARAM */ float RoomRolloffFactor, /* [0.0, 10.0] default: 0.0 or use FSOUND_REVERB_IGNOREPARAM */ float DecayTime, /* [0.1, 20.0] default: 1.0 s or use FSOUND_REVERB_IGNOREPARAM */ float DecayHFRatio, /* [0.1, 2.0] default: 0.5 or use FSOUND_REVERB_IGNOREPARAM */ int Reflections, /* [-10000, 1000] default: -10000 mB or use FSOUND_REVERB_IGNOREPARAM */ float ReflectionsDelay, /* [0.0, 0.3] default: 0.02 s or use FSOUND_REVERB_IGNOREPARAM */ int Reverb, /* [-10000, 2000] default: -10000 mB or use FSOUND_REVERB_IGNOREPARAM */ float ReverbDelay, /* [0.0, 0.1] default: 0.04 s or use FSOUND_REVERB_IGNOREPARAM */ float EnvironmentSize, /* [0.0, 100.0] default: 100.0 % or use FSOUND_REVERB_IGNOREPARAM */ float EnvironmentDiffusion, /* [0.0, 100.0] default: 100.0 % or use FSOUND_REVERB_IGNOREPARAM */ float AirAbsorptionHF); /* [20.0, 20000.0] default: 5000.0 Hz or use FSOUND_REVERB_IGNOREPARAM */ DLL_API signed char F_API FSOUND_Reverb_SetMix(int channel, float mix); /* Reverb information functions. */ DLL_API signed char F_API FSOUND_Reverb_GetEnvironment(int *env, float *vol, float *decay, float *damp); DLL_API signed char F_API FSOUND_Reverb_GetEnvironmentAdvanced( int *env, int *Room, int *RoomHF, float *RoomRolloffFactor, float *DecayTime, float *DecayHFRatio, int *Reflections, float *ReflectionsDelay, int *Reverb, float *ReverbDelay, float *EnvironmentSize, float *EnvironmentDiffusion, float *AirAbsorptionHF); DLL_API signed char F_API FSOUND_Reverb_GetMix(int channel, float *mix); /* ================================================ */ /* Recording functions (NOT SUPPORTED IN LINUX/CE) */ /* ================================================ */ /* Recording initialization functions */ DLL_API signed char F_API FSOUND_Record_SetDriver(int outputtype); DLL_API int F_API FSOUND_Record_GetNumDrivers(); DLL_API signed char * F_API FSOUND_Record_GetDriverName(int id); DLL_API int F_API FSOUND_Record_GetDriver(); /* Recording functionality. Only one recording session will work at a time. */ DLL_API signed char F_API FSOUND_Record_StartSample(FSOUND_SAMPLE *sptr, signed char loop); DLL_API signed char F_API FSOUND_Record_Stop(); DLL_API int F_API FSOUND_Record_GetPosition(); /* ========================================================================================== */ /* FMUSIC API (MOD,S3M,XM,IT,MIDI PLAYBACK) */ /* ========================================================================================== */ /* Song management / playback functions. */ DLL_API FMUSIC_MODULE * F_API FMUSIC_LoadSong(const char *name); DLL_API FMUSIC_MODULE * F_API FMUSIC_LoadSongMemory(void *data, int length); DLL_API signed char F_API FMUSIC_FreeSong(FMUSIC_MODULE *mod); DLL_API signed char F_API FMUSIC_PlaySong(FMUSIC_MODULE *mod); DLL_API signed char F_API FMUSIC_StopSong(FMUSIC_MODULE *mod); DLL_API void F_API FMUSIC_StopAllSongs(); DLL_API signed char F_API FMUSIC_SetZxxCallback(FMUSIC_MODULE *mod, FMUSIC_CALLBACK callback); DLL_API signed char F_API FMUSIC_SetRowCallback(FMUSIC_MODULE *mod, FMUSIC_CALLBACK callback, int rowstep); DLL_API signed char F_API FMUSIC_SetOrderCallback(FMUSIC_MODULE *mod, FMUSIC_CALLBACK callback, int orderstep); DLL_API signed char F_API FMUSIC_SetInstCallback(FMUSIC_MODULE *mod, FMUSIC_CALLBACK callback, int instrument); DLL_API signed char F_API FMUSIC_SetSample(FMUSIC_MODULE *mod, int sampno, FSOUND_SAMPLE *sptr); DLL_API signed char F_API FMUSIC_OptimizeChannels(FMUSIC_MODULE *mod, int maxchannels, int minvolume); /* Runtime song functions. */ DLL_API signed char F_API FMUSIC_SetReverb(signed char reverb); /* MIDI only */ DLL_API signed char F_API FMUSIC_SetOrder(FMUSIC_MODULE *mod, int order); DLL_API signed char F_API FMUSIC_SetPaused(FMUSIC_MODULE *mod, signed char pause); DLL_API signed char F_API FMUSIC_SetMasterVolume(FMUSIC_MODULE *mod, int volume); DLL_API signed char F_API FMUSIC_SetPanSeperation(FMUSIC_MODULE *mod, float pansep); /* Static song information functions. */ DLL_API char * F_API FMUSIC_GetName(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetType(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetNumOrders(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetNumPatterns(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetNumInstruments(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetNumSamples(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetNumChannels(FMUSIC_MODULE *mod); DLL_API FSOUND_SAMPLE * F_API FMUSIC_GetSample(FMUSIC_MODULE *mod, int sampno); DLL_API int F_API FMUSIC_GetPatternLength(FMUSIC_MODULE *mod, int orderno); /* Runtime song information. */ DLL_API signed char F_API FMUSIC_IsFinished(FMUSIC_MODULE *mod); DLL_API signed char F_API FMUSIC_IsPlaying(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetMasterVolume(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetGlobalVolume(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetOrder(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetPattern(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetSpeed(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetBPM(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetRow(FMUSIC_MODULE *mod); DLL_API signed char F_API FMUSIC_GetPaused(FMUSIC_MODULE *mod); DLL_API int F_API FMUSIC_GetTime(FMUSIC_MODULE *mod); #ifdef __cplusplus } #endif #endif
[ "boyizjuer2017@gmail.com" ]
boyizjuer2017@gmail.com
e649c26952cbf019d5d174929eb1c3f79ed4ae15
14cb167d800ff88304338d995a664f7ec87e8c9f
/src/nbla/function/convolution.cpp
8e0af4a438cbb6e6e2f8b9875818e0b05888a3ef
[ "Apache-2.0" ]
permissive
enomotom/nnabla
4618ee7b5484d87a2cf2a526e0e5b27b75091835
1947fe16a0a41d19d76cd916f151aa1991ea1b44
refs/heads/master
2021-07-12T01:10:06.030174
2017-10-13T01:09:40
2017-10-13T01:09:40
107,018,396
1
0
null
2017-10-15T14:15:18
2017-10-15T14:15:18
null
UTF-8
C++
false
false
10,815
cpp
// Copyright (c) 2017 Sony Corporation. All Rights Reserved. // // Licensed under the Apache License, Version 2.0 (the "License"); // you may not use this file except in compliance with the License. // You may obtain a copy of the License at // // http://www.apache.org/licenses/LICENSE-2.0 // // Unless required by applicable law or agreed to in writing, software // distributed under the License is distributed on an "AS IS" BASIS, // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. // See the License for the specific language governing permissions and // limitations under the License. // convolution.cpp #include <nbla/array.hpp> #include <nbla/function/convolution.hpp> #include <nbla/utils/eigen.hpp> #include <nbla/utils/im2col.hpp> #include <nbla/variable.hpp> #include <algorithm> #include <cstring> #include <memory> namespace nbla { NBLA_REGISTER_FUNCTION_SOURCE(Convolution, int, // base_axis const vector<int> &, // pad const vector<int> &, // stride const vector<int> &, // dilation int); // group template <typename T> void Convolution<T>::setup_impl(const Variables &inputs, const Variables &outputs) { // Shape check Shape_t shape_data = inputs[0]->shape(); Shape_t shape_weights = inputs[1]->shape(); NBLA_CHECK(base_axis_ < shape_data.size() - 1, error_code::unclassified, "base_axis must be less than ndim - 1 of inputs[0]. " "base_axis: %d >= ndim of inputs[0] - 1: %d.", base_axis_, shape_data.size() - 1); spatial_dims_ = shape_data.size() - base_axis_ - 1; NBLA_CHECK(shape_weights.size() == 2 + spatial_dims_, error_code::value, "Weights must be a tensor more than 3D."); // Storing shape variables channels_i_ = shape_data[base_axis_]; channels_o_ = shape_weights[0]; channels_g_ = shape_weights[1]; inner_size_k_ = channels_g_; const int channels_i_mod_group = channels_i_ % group_; NBLA_CHECK(channels_i_mod_group == 0, error_code::value, "Number of input channel needs to be divisible by group. " "Input channel: %d, group: %d.", channels_i_, group_); const int channels_o_mod_group = channels_o_ % group_; NBLA_CHECK(channels_o_mod_group == 0, error_code::value, "Number of output channel needs to be divisible by group. " "Output channel: %d, group: %d.", channels_o_, group_); NBLA_CHECK(channels_i_ / group_ == channels_g_, error_code::value, "Number of grouped channel mismatch." "Input: %d != Weights[1]: %d.", channels_i_ / group_, channels_g_); NBLA_CHECK(pad_.size() == spatial_dims_, error_code::value, "pad size mismatch. pad size: %d != spatial dims: %d.", pad_.size(), spatial_dims_); NBLA_CHECK(stride_.size() == spatial_dims_, error_code::value, "stride size mismatch. stride size: %d != spatial dims: %d.", stride_.size(), spatial_dims_); NBLA_CHECK(dilation_.size() == spatial_dims_, error_code::value, "dilation size mismatch. dilation size: %d != spatial dims: %d.", dilation_.size(), spatial_dims_); for (int i = 0; i < spatial_dims_; ++i) { kernel_.push_back(shape_weights[2 + i]); inner_size_k_ *= kernel_[i]; spatial_shape_i_.push_back(shape_data[base_axis_ + 1 + i]); const int k = dilation_[i] * (kernel_[i] - 1) + 1; const int o = (spatial_shape_i_[i] + 2 * pad_[i] - k) / stride_[i] + 1; NBLA_CHECK( o > 0, error_code::value, "Invalid configuration of convolution at %d-th spatial dimension. " "{input:%d, kernel:%d, pad:%d, stride:%d, dilation:%d}.", i, spatial_shape_i_[i], kernel_[i], pad_[i], stride_[i], dilation_[i]); spatial_shape_o_.push_back(o); } // Reshaping output Shape_t shape_out; outer_size_ = 1; for (int i = 0; i < base_axis_; ++i) { // Fill shapes up to base axis shape_out.push_back(shape_data[i]); outer_size_ *= shape_data[i]; } shape_out.push_back(channels_o_); // output channels inner_size_i_ = channels_i_; inner_size_o_ = channels_o_; for (int i = 0; i < spatial_dims_; ++i) { shape_out.push_back(spatial_shape_o_[i]); inner_size_i_ *= spatial_shape_i_[i]; inner_size_o_ *= spatial_shape_o_[i]; } outputs[0]->reshape(shape_out, true); // Reshaping col buffer // Actual memory is not allocated until it is used. col_.reshape(Shape_t{inner_size_k_ * group_, inner_size_o_ / channels_o_}, true); // Check for with bias if (inputs.size() == 3) { NBLA_CHECK(inputs[2]->shape().size() == 1, error_code::value, "Bias(inputs[2]) must be a 1d tensor."); NBLA_CHECK(inputs[2]->shape()[0] == channels_o_, error_code::value, "Shape of bias(inputs[2]) and weights(inputs[1]) mismatch. " "bias shape[0]: %d != weights shape[0]: %d.", inputs[2]->shape()[0], channels_o_); } // Set variables for convolution by matrix multiplication // In 2D case: // K: in maps, H: in height, W: in width // K': out maps, H': out height, W': out height // M: kernel height, N: kernel width row_w_ = channels_o_ / group_; // K' col_w_ = inner_size_k_; // KMN row_col_ = col_w_; // KMN col_col_ = inner_size_o_ / channels_o_; // H'W' row_y_ = channels_o_ / group_; // K' col_y_ = col_col_; // H'W' } template <class T> void Convolution<T>::forward_impl(const Variables &inputs, const Variables &outputs) { using namespace ::nbla::eigen; // Getting variable pointers const T *x = inputs[0]->get_data_pointer<T>(this->ctx_); const T *w = inputs[1]->get_data_pointer<T>(this->ctx_); T *col = col_.cast_data_and_get_pointer<T>(this->ctx_); T *y = outputs[0]->cast_data_and_get_pointer<T>(this->ctx_); const T *b; if (inputs.size() == 3) { b = inputs[2]->get_data_pointer<T>(this->ctx_); } // Sample loop for (int n = 0; n < outer_size_; ++n) { // Im2col if (spatial_dims_ == 2) { im2col<T>(x + n * inner_size_i_, channels_i_, spatial_shape_i_.data(), kernel_.data(), pad_.data(), stride_.data(), dilation_.data(), col); } else { im2col_nd<T>(x + n * inner_size_i_, channels_i_, spatial_dims_, spatial_shape_i_.data(), kernel_.data(), pad_.data(), stride_.data(), dilation_.data(), col); } // Convolution by matrix multiplication T *y_n = y + n * inner_size_o_; for (int g = 0; g < group_; ++g) { MatrixMap<T> mcol(col + g * row_col_ * col_col_, row_col_, col_col_); ConstMatrixMap<T> mk(w + g * row_w_ * col_w_, row_w_, col_w_); MatrixMap<T> my(y_n + g * row_y_ * col_y_, row_y_, col_y_); my = mk * mcol; } // Adding bias if (inputs.size() == 3) { MatrixMap<T> my(y_n, channels_o_, col_y_); my.colwise() += ConstColVectorMap<T>(b, channels_o_); } } } template <class T> void Convolution<T>::backward_impl(const Variables &inputs, const Variables &outputs, const vector<bool> &propagate_down, const vector<bool> &accum) { if (!(propagate_down[0] || propagate_down[1] || (inputs.size() == 3 && propagate_down[2]))) { return; } using namespace ::nbla::eigen; const T *dy = outputs[0]->get_grad_pointer<T>(this->ctx_); const T *x; const T *w; T *dx, *dw, *db, *col; std::unique_ptr<ColVectorMap<T>> mdb; if (propagate_down[0] || propagate_down[1]) { col = col_.cast_data_and_get_pointer<T>(this->ctx_); } if (propagate_down[0]) { w = inputs[1]->get_data_pointer<T>(this->ctx_); dx = inputs[0]->cast_grad_and_get_pointer<T>(this->ctx_); } if (propagate_down[1]) { x = inputs[0]->get_data_pointer<T>(this->ctx_); dw = inputs[1]->cast_grad_and_get_pointer<T>(this->ctx_); if (!accum[1]) memset(dw, 0, sizeof(*dw) * inputs[1]->size()); } if (inputs.size() == 3 && propagate_down[2]) { db = inputs[2]->cast_grad_and_get_pointer<T>(this->ctx_); mdb.reset(new ColVectorMap<T>(db, channels_o_)); if (!accum[2]) // mdb = 0; // Results in segfault memset(db, 0, sizeof(*db) * inputs[2]->size()); } // Sample loop for (int n = 0; n < outer_size_; ++n) { const T *dy_n = dy + n * inner_size_o_; if (propagate_down[0]) { // Backprop to image T *dx_n = dx + n * inner_size_i_; for (int g = 0; g < group_; ++g) { ConstMatrixMap<T> mdy(dy_n + g * row_y_ * col_y_, row_y_, col_y_); ConstMatrixMap<T> mw(w + g * row_w_ * col_w_, row_w_, col_w_); MatrixMap<T> mdx(col + g * row_col_ * col_col_, row_col_, col_col_); mdx = mw.transpose() * mdy; } // col2im if (spatial_dims_ == 2) { if (!accum[0]) // Remove this by substituting at n=0 memset(dx_n, 0, sizeof(*dx_n) * inner_size_i_); col2im(col, channels_i_, spatial_shape_i_.data(), kernel_.data(), pad_.data(), stride_.data(), dilation_.data(), dx_n); } else { if (!accum[0]) memset(dx_n, 0, sizeof(*dx_n) * inner_size_i_); col2im_nd(col, channels_i_, spatial_dims_, spatial_shape_i_.data(), kernel_.data(), pad_.data(), stride_.data(), dilation_.data(), dx_n); } } if (propagate_down[1]) { // Backprop to weights // im2col if (spatial_dims_ == 2) { im2col<T>(x + n * inner_size_i_, channels_i_, spatial_shape_i_.data(), kernel_.data(), pad_.data(), stride_.data(), dilation_.data(), col); } else { im2col_nd<T>(x + n * inner_size_i_, channels_i_, spatial_dims_, spatial_shape_i_.data(), kernel_.data(), pad_.data(), stride_.data(), dilation_.data(), col); } // Weight convolution by matrix multiplication for (int g = 0; g < group_; ++g) { ConstMatrixMap<T> mdy(dy_n + g * row_y_ * col_y_, row_y_, col_y_); ConstMatrixMap<T> mcol(col + g * row_col_ * col_col_, row_col_, col_col_); MatrixMap<T> mdw(dw + g * row_w_ * col_w_, row_w_, col_w_); mdw += mdy * mcol.transpose(); } } if (inputs.size() == 3 && propagate_down[2]) { // Backprop to bias ConstMatrixMap<T> mdy(dy_n, channels_o_, col_y_); *mdb += mdy.rowwise().sum(); } } } template class Convolution<float>; }
[ "Takuya.Narihira@sony.com" ]
Takuya.Narihira@sony.com
9ee5b8227591688e785089143b5816cc85f4e01a
7415c2613352167cc02bdab2cf4bd3dc7bd45671
/lum_p2.cpp
35d5366fbdc1bfbc2d7ec65532e1fae6b27ecaf1
[]
no_license
lilharry/cs373-proj2
48e11a1d16d0923bced129be76a65fdd60fb62f1
c201dcf3d1434070a934eb41d34ddc53cb69f0b8
refs/heads/main
2022-12-25T22:46:40.596938
2020-10-03T02:22:01
2020-10-03T02:22:01
300,774,626
0
0
null
null
null
null
UTF-8
C++
false
false
1,662
cpp
#include <iostream> #include <string> using namespace std; int main(int argc, char * argv[]){ if (argc != 3){ cout << "args should be gatedirections and input string" << endl; exit(1); } string gates = argv[1]; string input = argv[2]; cout << gates; for (long unsigned int i = 0; i < input.length(); i++ ){ char c = input[i]; string new_gates = "XXXX"; int gate; char exit; if (c == '0'){ if (gates[0] == 'L'){ new_gates[0] = 'R'; gate = 2; } else if (gates[0] == 'R'){ new_gates[0] = 'C'; gate = 4; } else{ new_gates[0] = 'L'; gate = 3; } }else{ if (gates[0] == 'L'){ new_gates[0] = 'C'; gate = 2; } else if (gates[0] == 'C'){ new_gates[0] = 'R'; gate = 3; } else{ new_gates[0] = 'L'; gate = 4; } } if (gate == 2){ if (gates[1] == 'L'){ new_gates[1] = 'R'; exit = 'B'; }else{ new_gates[1] = 'L'; exit = 'C'; } new_gates[2] = gates[2]; new_gates[3] = gates[3]; }else if (gate == 3){ if (gates[2] == 'L'){ new_gates[2] = 'R'; exit = 'C'; }else{ new_gates[2] = 'L'; exit = 'D'; } new_gates[1] = gates[1]; new_gates[3] = gates[3]; }else if (gate == 4){ if (gates[3] == 'L'){ new_gates[3] = 'R'; exit = 'D'; }else{ new_gates[3] = 'L'; exit = 'E'; } new_gates[1] = gates[1]; new_gates[2] = gates[2]; } gates = new_gates; cout << "->" << new_gates; if (i == input.length() - 1){ cout << " " << exit << endl; } } }
[ "lilharry221@gmail.com" ]
lilharry221@gmail.com
2f3966846a29b285a15fa1361b34d5dd72c9c0bb
b0eecb618ae76484b3368cef8b28ca7ab3c4e556
/chrome/browser/ui/webui/settings/md_settings_ui.cc
c72fa7f17982cb5d8ed5e36e0f1e35a9bb299059
[ "BSD-3-Clause" ]
permissive
Chikdolman/Castanets
733e6959ae28b81a8d5a77f869dd62957c1b1c2b
620e7d42205619ee061dff77d0001c7e6a4d1a8d
refs/heads/castanets_63
2021-06-28T04:35:42.424423
2019-06-04T06:56:51
2019-06-04T06:56:51
183,328,181
0
1
BSD-3-Clause
2019-07-02T10:59:54
2019-04-25T00:51:09
null
UTF-8
C++
false
false
16,049
cc
// Copyright 2015 The Chromium Authors. All rights reserved. // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #include "chrome/browser/ui/webui/settings/md_settings_ui.h" #include <stddef.h> #include <memory> #include <string> #include <utility> #include "base/memory/ptr_util.h" #include "base/metrics/histogram_macros.h" #include "chrome/browser/profiles/profile.h" #include "chrome/browser/ui/webui/metrics_handler.h" #include "chrome/browser/ui/webui/settings/about_handler.h" #include "chrome/browser/ui/webui/settings/appearance_handler.h" #include "chrome/browser/ui/webui/settings/browser_lifetime_handler.h" #include "chrome/browser/ui/webui/settings/downloads_handler.h" #include "chrome/browser/ui/webui/settings/extension_control_handler.h" #include "chrome/browser/ui/webui/settings/font_handler.h" #include "chrome/browser/ui/webui/settings/md_settings_localized_strings_provider.h" #include "chrome/browser/ui/webui/settings/metrics_reporting_handler.h" #include "chrome/browser/ui/webui/settings/on_startup_handler.h" #include "chrome/browser/ui/webui/settings/people_handler.h" #include "chrome/browser/ui/webui/settings/profile_info_handler.h" #include "chrome/browser/ui/webui/settings/protocol_handlers_handler.h" #include "chrome/browser/ui/webui/settings/reset_settings_handler.h" #include "chrome/browser/ui/webui/settings/safe_browsing_handler.h" #include "chrome/browser/ui/webui/settings/search_engines_handler.h" #include "chrome/browser/ui/webui/settings/settings_clear_browsing_data_handler.h" #include "chrome/browser/ui/webui/settings/settings_cookies_view_handler.h" #include "chrome/browser/ui/webui/settings/settings_import_data_handler.h" #include "chrome/browser/ui/webui/settings/settings_media_devices_selection_handler.h" #include "chrome/browser/ui/webui/settings/settings_page_ui_handler.h" #include "chrome/browser/ui/webui/settings/settings_startup_pages_handler.h" #include "chrome/browser/ui/webui/settings/site_settings_handler.h" #include "chrome/common/pref_names.h" #include "chrome/common/url_constants.h" #include "chrome/grit/settings_resources.h" #include "chrome/grit/settings_resources_map.h" #include "components/password_manager/core/common/password_manager_features.h" #include "components/pref_registry/pref_registry_syncable.h" #include "content/public/browser/navigation_handle.h" #include "content/public/browser/web_contents.h" #include "content/public/browser/web_ui.h" #include "content/public/browser/web_ui_data_source.h" #if defined(OS_WIN) #include "chrome/browser/safe_browsing/chrome_cleaner/chrome_cleaner_controller_win.h" #include "chrome/browser/safe_browsing/chrome_cleaner/srt_field_trial_win.h" #include "chrome/browser/ui/webui/settings/chrome_cleanup_handler.h" #if defined(GOOGLE_CHROME_BUILD) #include "chrome/grit/chrome_unscaled_resources.h" #endif #endif // defined(OS_WIN) #if defined(OS_WIN) || defined(OS_CHROMEOS) #include "chrome/browser/ui/webui/settings/languages_handler.h" #endif // defined(OS_WIN) || defined(OS_CHROMEOS) #if defined(OS_CHROMEOS) #include "ash/public/cpp/stylus_utils.h" #include "ash/system/power/power_status.h" #include "chrome/browser/chromeos/arc/arc_util.h" #include "chrome/browser/chromeos/login/quick_unlock/quick_unlock_utils.h" #include "chrome/browser/ui/ash/ash_util.h" #include "chrome/browser/ui/webui/settings/chromeos/accessibility_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/android_apps_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/change_picture_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/cups_printers_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/date_time_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/device_keyboard_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/device_pointer_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/device_power_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/device_storage_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/device_stylus_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/easy_unlock_settings_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/fingerprint_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/google_assistant_handler.h" #include "chrome/browser/ui/webui/settings/chromeos/internet_handler.h" #include "chrome/common/chrome_switches.h" #include "chromeos/chromeos_switches.h" #include "components/arc/arc_util.h" #else // !defined(OS_CHROMEOS) #include "chrome/browser/ui/webui/settings/settings_default_browser_handler.h" #include "chrome/browser/ui/webui/settings/settings_manage_profile_handler.h" #include "chrome/browser/ui/webui/settings/system_handler.h" #endif // defined(OS_CHROMEOS) #if defined(USE_NSS_CERTS) #include "chrome/browser/ui/webui/certificates_handler.h" #elif defined(OS_WIN) || defined(OS_MACOSX) #include "chrome/browser/ui/webui/settings/native_certificates_handler.h" #endif // defined(USE_NSS_CERTS) #if defined(SAFE_BROWSING_DB_LOCAL) #include "chrome/browser/safe_browsing/chrome_password_protection_service.h" #include "chrome/browser/ui/webui/settings/change_password_handler.h" #endif namespace settings { // static void MdSettingsUI::RegisterProfilePrefs( user_prefs::PrefRegistrySyncable* registry) { registry->RegisterBooleanPref(prefs::kImportDialogAutofillFormData, true); registry->RegisterBooleanPref(prefs::kImportDialogBookmarks, true); registry->RegisterBooleanPref(prefs::kImportDialogHistory, true); registry->RegisterBooleanPref(prefs::kImportDialogSavedPasswords, true); registry->RegisterBooleanPref(prefs::kImportDialogSearchEngine, true); } MdSettingsUI::MdSettingsUI(content::WebUI* web_ui) : content::WebUIController(web_ui), WebContentsObserver(web_ui->GetWebContents()) { #if BUILDFLAG(OPTIMIZE_WEBUI) std::vector<std::string> exclude_from_gzip; #endif Profile* profile = Profile::FromWebUI(web_ui); AddSettingsPageUIHandler(base::MakeUnique<AppearanceHandler>(web_ui)); #if defined(USE_NSS_CERTS) AddSettingsPageUIHandler( base::MakeUnique<certificate_manager::CertificatesHandler>()); #elif defined(OS_WIN) || defined(OS_MACOSX) AddSettingsPageUIHandler(base::MakeUnique<NativeCertificatesHandler>()); #endif // defined(USE_NSS_CERTS) AddSettingsPageUIHandler(base::MakeUnique<BrowserLifetimeHandler>()); AddSettingsPageUIHandler(base::MakeUnique<ClearBrowsingDataHandler>(web_ui)); AddSettingsPageUIHandler(base::MakeUnique<CookiesViewHandler>()); AddSettingsPageUIHandler(base::MakeUnique<DownloadsHandler>(profile)); AddSettingsPageUIHandler(base::MakeUnique<ExtensionControlHandler>()); AddSettingsPageUIHandler(base::MakeUnique<FontHandler>(web_ui)); AddSettingsPageUIHandler(base::MakeUnique<ImportDataHandler>()); #if defined(OS_WIN) || defined(OS_CHROMEOS) AddSettingsPageUIHandler(base::MakeUnique<LanguagesHandler>(web_ui)); #endif // defined(OS_WIN) || defined(OS_CHROMEOS) AddSettingsPageUIHandler( base::MakeUnique<MediaDevicesSelectionHandler>(profile)); #if defined(GOOGLE_CHROME_BUILD) && !defined(OS_CHROMEOS) AddSettingsPageUIHandler(base::MakeUnique<MetricsReportingHandler>()); #endif AddSettingsPageUIHandler(base::MakeUnique<OnStartupHandler>(profile)); AddSettingsPageUIHandler(base::MakeUnique<PeopleHandler>(profile)); AddSettingsPageUIHandler(base::MakeUnique<ProfileInfoHandler>(profile)); AddSettingsPageUIHandler(base::MakeUnique<ProtocolHandlersHandler>()); AddSettingsPageUIHandler( base::MakeUnique<SafeBrowsingHandler>(profile->GetPrefs())); AddSettingsPageUIHandler(base::MakeUnique<SearchEnginesHandler>(profile)); AddSettingsPageUIHandler(base::MakeUnique<SiteSettingsHandler>(profile)); AddSettingsPageUIHandler(base::MakeUnique<StartupPagesHandler>(web_ui)); #if defined(OS_CHROMEOS) AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::AccessibilityHandler>(web_ui)); AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::AndroidAppsHandler>(profile)); AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::ChangePictureHandler>()); AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::CupsPrintersHandler>(web_ui)); AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::FingerprintHandler>(profile)); if (chromeos::switches::IsVoiceInteractionEnabled()) { AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::GoogleAssistantHandler>(profile)); } AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::KeyboardHandler>()); AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::PointerHandler>()); AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::StorageHandler>()); AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::StylusHandler>()); AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::InternetHandler>()); #else AddSettingsPageUIHandler(base::MakeUnique<DefaultBrowserHandler>(web_ui)); AddSettingsPageUIHandler(base::MakeUnique<ManageProfileHandler>(profile)); AddSettingsPageUIHandler(base::MakeUnique<SystemHandler>()); #endif content::WebUIDataSource* html_source = content::WebUIDataSource::Create(chrome::kChromeUISettingsHost); #if defined(OS_WIN) if (base::FeatureList::IsEnabled(safe_browsing::kInBrowserCleanerUIFeature)) { AddSettingsPageUIHandler(base::MakeUnique<ChromeCleanupHandler>(profile)); safe_browsing::ChromeCleanerController* cleaner_controller = safe_browsing::ChromeCleanerController::GetInstance(); if (cleaner_controller->ShouldShowCleanupInSettingsUI()) html_source->AddBoolean("chromeCleanupEnabled", true); #if defined(GOOGLE_CHROME_BUILD) if (cleaner_controller->IsPoweredByPartner()) html_source->AddBoolean("cleanupPoweredByPartner", true); html_source->AddResourcePath("partner-logo.svg", IDR_CHROME_CLEANUP_PARTNER); #if BUILDFLAG(OPTIMIZE_WEBUI) exclude_from_gzip.push_back("partner-logo.svg"); #endif #endif // defined(GOOGLE_CHROME_BUILD) } #endif // defined(OS_WIN) #if defined(SAFE_BROWSING_DB_LOCAL) AddSettingsPageUIHandler(base::MakeUnique<ChangePasswordHandler>(profile)); html_source->AddBoolean("changePasswordEnabled", safe_browsing::ChromePasswordProtectionService:: ShouldShowChangePasswordSettingUI(profile)); #endif #if defined(OS_CHROMEOS) chromeos::settings::EasyUnlockSettingsHandler* easy_unlock_handler = chromeos::settings::EasyUnlockSettingsHandler::Create(html_source, profile); if (easy_unlock_handler) AddSettingsPageUIHandler(base::WrapUnique(easy_unlock_handler)); AddSettingsPageUIHandler(base::WrapUnique( chromeos::settings::DateTimeHandler::Create(html_source))); AddSettingsPageUIHandler( base::MakeUnique<chromeos::settings::StylusHandler>()); html_source->AddBoolean( "quickUnlockEnabled", chromeos::quick_unlock::IsPinEnabled(profile->GetPrefs())); html_source->AddBoolean( "quickUnlockDisabledByPolicy", chromeos::quick_unlock::IsPinDisabledByPolicy(profile->GetPrefs())); html_source->AddBoolean("fingerprintUnlockEnabled", chromeos::quick_unlock::IsFingerprintEnabled()); html_source->AddBoolean("hasInternalStylus", ash::stylus_utils::HasInternalStylus()); // We have 2 variants of Android apps settings. Default case, when the Play // Store app exists we show expandable section that allows as to // enable/disable the Play Store and link to Android settings which is // available once settings app is registered in the system. // For AOSP images we don't have the Play Store app. In last case we Android // apps settings consists only from root link to Android settings and only // visible once settings app is registered. const bool androidAppsVisible = arc::IsArcAllowedForProfile(profile) && !arc::IsArcOptInVerificationDisabled(); html_source->AddBoolean("androidAppsVisible", androidAppsVisible); html_source->AddBoolean("havePlayStoreApp", arc::IsPlayStoreAvailable()); // TODO(mash): Support Chrome power settings in Mash. crbug.com/644348 bool enable_power_settings = !ash_util::IsRunningInMash(); html_source->AddBoolean("enablePowerSettings", enable_power_settings); if (enable_power_settings) { AddSettingsPageUIHandler(base::MakeUnique<chromeos::settings::PowerHandler>( profile->GetPrefs())); } #endif html_source->AddBoolean( "showImportExportPasswords", base::FeatureList::IsEnabled( password_manager::features::kPasswordImportExport)); AddSettingsPageUIHandler( base::WrapUnique(AboutHandler::Create(html_source, profile))); AddSettingsPageUIHandler( base::WrapUnique(ResetSettingsHandler::Create(html_source, profile))); // Add the metrics handler to write uma stats. web_ui->AddMessageHandler(base::MakeUnique<MetricsHandler>()); #if BUILDFLAG(OPTIMIZE_WEBUI) html_source->AddResourcePath("crisper.js", IDR_MD_SETTINGS_CRISPER_JS); html_source->AddResourcePath("lazy_load.crisper.js", IDR_MD_SETTINGS_LAZY_LOAD_CRISPER_JS); html_source->AddResourcePath("lazy_load.html", IDR_MD_SETTINGS_LAZY_LOAD_VULCANIZED_HTML); html_source->SetDefaultResource(IDR_MD_SETTINGS_VULCANIZED_HTML); html_source->UseGzip(exclude_from_gzip); #else // Add all settings resources. for (size_t i = 0; i < kSettingsResourcesSize; ++i) { html_source->AddResourcePath(kSettingsResources[i].name, kSettingsResources[i].value); } html_source->SetDefaultResource(IDR_SETTINGS_SETTINGS_HTML); #endif AddLocalizedStrings(html_source, profile); content::WebUIDataSource::Add(web_ui->GetWebContents()->GetBrowserContext(), html_source); #if defined(OS_WIN) // This needs to be below content::WebUIDataSource::Add to make sure there // is a WebUIDataSource to update if the observer is immediately notified. if (base::FeatureList::IsEnabled(safe_browsing::kInBrowserCleanerUIFeature)) { cleanup_observer_.reset( new safe_browsing::ChromeCleanerStateChangeObserver(base::Bind( &MdSettingsUI::UpdateCleanupDataSource, base::Unretained(this)))); } #endif // defined(OS_WIN) } MdSettingsUI::~MdSettingsUI() { } void MdSettingsUI::AddSettingsPageUIHandler( std::unique_ptr<content::WebUIMessageHandler> handler) { DCHECK(handler); web_ui()->AddMessageHandler(std::move(handler)); } void MdSettingsUI::DidStartNavigation( content::NavigationHandle* navigation_handle) { if (navigation_handle->IsSameDocument()) return; load_start_time_ = base::Time::Now(); } void MdSettingsUI::DocumentLoadedInFrame( content::RenderFrameHost* render_frame_host) { UMA_HISTOGRAM_TIMES("Settings.LoadDocumentTime.MD", base::Time::Now() - load_start_time_); } void MdSettingsUI::DocumentOnLoadCompletedInMainFrame() { UMA_HISTOGRAM_TIMES("Settings.LoadCompletedTime.MD", base::Time::Now() - load_start_time_); } #if defined(OS_WIN) void MdSettingsUI::UpdateCleanupDataSource(bool cleanupEnabled, bool partnerPowered) { DCHECK(web_ui()); Profile* profile = Profile::FromWebUI(web_ui()); std::unique_ptr<base::DictionaryValue> update(new base::DictionaryValue); update->SetBoolean("chromeCleanupEnabled", cleanupEnabled); update->SetBoolean("cleanupPoweredByPartner", partnerPowered); content::WebUIDataSource::Update(profile, chrome::kChromeUISettingsHost, std::move(update)); } #endif // defined(OS_WIN) } // namespace settings
[ "suyambu.rm@samsung.com" ]
suyambu.rm@samsung.com
cf63cb197dcf457c089350bf89081140e353786a
e82b166c7ad87494f9235c425d47e4b07f9dd50a
/torch/csrc/autograd/record_function.cpp
624d4f2d08cacd424da0a2b919abed1881b87666
[ "BSD-3-Clause", "LicenseRef-scancode-generic-cla", "Apache-2.0", "BSD-2-Clause" ]
permissive
lkskstlr/pytorch
ecb73f27f1f35963d5e8d7d693bdc6a8ca955bc1
ca6441a397471f3278b7f50683c2cd5d53cd6dff
refs/heads/master
2022-05-23T06:37:20.321028
2020-04-25T10:33:11
2020-04-25T10:33:11
258,746,769
1
0
NOASSERTION
2020-04-25T10:21:01
2020-04-25T10:21:00
null
UTF-8
C++
false
false
8,324
cpp
#include <torch/csrc/autograd/record_function.h> #include <torch/csrc/autograd/function.h> #include <torch/csrc/autograd/profiler.h> #include <torch/csrc/utils/memory.h> #include <cstdlib> #include <random> namespace torch { namespace autograd { namespace profiler { namespace { float sample_zero_one() { static thread_local auto gen = torch::make_unique<std::mt19937>(std::random_device()()); std::uniform_real_distribution<float> dist(0.0, 1.0); return dist(*gen); } class CallbackManager { public: void pushCallback( std::function<bool(const RecordFunction&)> start, std::function<void(const RecordFunction&)> end, bool needs_inputs, double sampling_prob, std::unordered_set<RecordScope, std::hash<RecordScope>> scopes) { callbacks_.emplace_back( std::move(start), std::move(end), needs_inputs, sampling_prob, std::move(scopes) ); recomputeFlags(); // make sure we mark the change in callbacks ++callbacks_version_; } void popCallback() { if (callbacks_.empty()) { throw std::runtime_error("Empty callbacks stack"); } callbacks_.pop_back(); recomputeFlags(); ++callbacks_version_; } inline bool hasCallbacks() const { return !callbacks_.empty(); } inline bool needsInputs() const { return has_callbacks_with_inputs_; } void runStartCallbacks(RecordFunction& rf) { rf._setCallbacksVersion(callbacks_version_); rf._activeCallbacks().clear(); for (size_t cb_idx = 0; cb_idx < callbacks_.size(); ++cb_idx) { if (shouldRunCallback(cb_idx, rf.scope())) { try { bool cb_ret = callbacks_[cb_idx].start_cb_(rf); rf._activeCallbacks().push_back(cb_ret); } catch (const std::exception &e) { LOG(WARNING) << "Exception in RecordFunction start observer: " << e.what(); rf._activeCallbacks().push_back(false); } catch (...) { LOG(WARNING) << "Exception in RecordFunction start observer: unknown"; rf._activeCallbacks().push_back(false); } } else { rf._activeCallbacks().push_back(false); } } } void runEndCallbacks(RecordFunction& rf) { if (rf._callbacksVersion() == callbacks_version_) { for (size_t cb_idx = 0; cb_idx < rf._activeCallbacks().size(); ++cb_idx) { if (!rf._activeCallbacks()[cb_idx]) { continue; } try { callbacks_[cb_idx].end_cb_(rf); } catch (const std::exception &e) { LOG(WARNING) << "Exception in RecordFunction end observer: " << e.what(); } catch (...) { LOG(WARNING) << "Exception in RecordFunction end observer: unknown"; } } } else { LOG(WARNING) << "Callbacks changed while running a record function, " << "you might be partially overlapping a record function " << "with a profiling scope"; } } inline void TEST_setGlobalSamplingProbability(double sampling_prob) { global_prob_ = sampling_prob; use_global_prob_ = true; } inline void TEST_unsetGlobalSamplingProbability() { global_prob_ = 0.0; use_global_prob_ = false; } private: void recomputeFlags() { has_callbacks_with_inputs_ = false; for (const auto& cb : callbacks_) { has_callbacks_with_inputs_ |= cb.needs_inputs_; } } inline double samplingProbability(size_t cb_idx) const { TORCH_INTERNAL_ASSERT(cb_idx < callbacks_.size()); if (callbacks_[cb_idx].is_sampled_) { return use_global_prob_ ? global_prob_ : callbacks_[cb_idx].sampling_prob_; } else { return 1.0; } } inline bool shouldRunCallback(size_t cb_idx, RecordScope scope) const { TORCH_INTERNAL_ASSERT(cb_idx < callbacks_.size()); return callbacks_[cb_idx].scopes_[static_cast<size_t>(scope)] && (!callbacks_[cb_idx].is_sampled_ || (sample_zero_one() < samplingProbability(cb_idx))); } struct Callback; std::vector<Callback> callbacks_; double global_prob_ = 0.0; bool use_global_prob_ = false; bool has_callbacks_with_inputs_ = false; // tracks the current 'version' of callbacks; // every time we push or pop callbacks, we bump this counter uint64_t callbacks_version_ = 0; struct Callback { Callback( std::function<bool(const RecordFunction&)> start_cb, std::function<void(const RecordFunction&)> end_cb, bool needs_inputs, double sampling_prob, std::unordered_set<RecordScope, std::hash<RecordScope>> scopes ) : start_cb_(std::move(start_cb)), end_cb_(std::move(end_cb)), needs_inputs_(needs_inputs), sampling_prob_(sampling_prob), is_sampled_(sampling_prob != 1.0) { if (!scopes.empty()) { scopes_.fill(false); for (auto sc : scopes) { scopes_[static_cast<size_t>(sc)] = true; } } else { scopes_.fill(true); } } std::function<bool(const RecordFunction&)> start_cb_; std::function<void(const RecordFunction&)> end_cb_; std::array<bool, static_cast<size_t>(RecordScope::NUM_SCOPES)> scopes_; const bool needs_inputs_; const double sampling_prob_; const bool is_sampled_; }; }; std::mutex next_thread_id_mutex_; uint16_t next_thread_id_ = 0; thread_local uint16_t current_thread_id_ = 0; // points to the currently active RecordFunction thread_local RecordFunction* current_record_func_ = nullptr; inline CallbackManager& manager() { static CallbackManager _manager; return _manager; } } // namespace bool hasCallbacks() { return manager().hasCallbacks(); } void pushCallback( std::function<bool(const RecordFunction&)> start, std::function<void(const RecordFunction&)> end, bool needs_inputs, double sampling_prob, std::unordered_set<RecordScope, std::hash<RecordScope>> scopes) { manager().pushCallback( std::move(start), std::move(end), needs_inputs, sampling_prob, std::move(scopes)); } void popCallback() { manager().popCallback(); } void _runBeforeCallbacks(RecordFunction* rf, const std::string& funcName) { TORCH_INTERNAL_ASSERT(rf != nullptr); rf->_before(funcName); } RecordFunction::RecordFunction(RecordScope scope) : scope_(scope) { if (manager().hasCallbacks() && at::_tls_is_record_function_enabled()) { active_ = true; } } void RecordFunction::_setCurrent() { parent_ = current_record_func_; current_record_func_ = this; is_current_ = true; } /* static */ bool RecordFunction::_needsInputs() { return manager().needsInputs(); } void TEST_setGlobalSamplingProbability(double sampling_prob) { manager().TEST_setGlobalSamplingProbability(sampling_prob); } void TEST_unsetGlobalSamplingProbability() { manager().TEST_unsetGlobalSamplingProbability(); } /* static */ uint16_t RecordFunction::currentThreadId() { if (!current_thread_id_) { // happens only once per thread std::lock_guard<std::mutex> guard(next_thread_id_mutex_); current_thread_id_ = ++next_thread_id_; } return current_thread_id_; } void RecordFunction::_before(const char* name, int64_t sequence_nr) { if (!active_) { return; } name_ = StringView(name); sequence_nr_ = sequence_nr; processCallbacks(); } void RecordFunction::_before(std::string name, int64_t sequence_nr) { if (!active_) { return; } name_ = StringView(std::move(name)); sequence_nr_ = sequence_nr; processCallbacks(); } void RecordFunction::_before(Node* fn, int64_t sequence_nr) { if (!active_) { return; } fn_ = fn; name_ = StringView(fn->name()); sequence_nr_ = (sequence_nr >= 0) ? sequence_nr : fn->sequence_nr(); processCallbacks(); } void RecordFunction::processCallbacks() { thread_id_ = currentThreadId(); manager().runStartCallbacks(*this); } RecordFunction::~RecordFunction() { _end(); } void RecordFunction::_end() { if (active_) { manager().runEndCallbacks(*this); active_ = false; } if (is_current_) { current_record_func_ = parent_; is_current_ = false; } } /* static */ RecordFunction* RecordFunction::current() { return current_record_func_; } } // namespace profiler } // namespace autograd } // namespace torch
[ "facebook-github-bot@users.noreply.github.com" ]
facebook-github-bot@users.noreply.github.com
13a08e977506a36865bbf083f98d8a1f9dc44c16
0a1f8957a798006deaa53d10d09f733fab1e6b05
/src/CyPhyToolbox/FormulaTraverse.cpp
4b598cb5c3a8531adc6a9f65e8b071d9c7152747
[ "LicenseRef-scancode-other-permissive" ]
permissive
metamorph-inc/meta-core
a89504ccb1ed2f97cc6e792ba52e3a6df349efef
bc7a05e04c7901f477fe553c59e478a837116d92
refs/heads/master
2023-03-07T02:52:57.262506
2023-03-01T18:49:49
2023-03-01T18:49:49
40,361,476
25
15
NOASSERTION
2023-01-13T16:54:30
2015-08-07T13:21:24
Python
UTF-8
C++
false
false
71,751
cpp
#include "FormulaTraverse.h" #include "EvaluateFormula.h" //#include "CyPhyElaborate.h" #include "UdmConsole.h" #include "UdmApp.h" #include "UdmUtil.h" #include "UdmConfig.h" #include "UdmFormatter.h" #include "UdmGmeUtil.h" #include <stdio.h> #include <direct.h> #include <string.h> #include <algorithm> #include <iterator> std::wstring wstringFromUTF8(const std::string& utf8); std::wstring wstringFromUTF8(const Udm::StringAttr& attr); /** \brief Global traverse function that kicks start everything when called in UdmMain. It calls NewTraverse's traverse function. \param [in] focusObject Reference to currently opened model in GME \param [in] selectedObjects Reference to a set of currently selected objects in GME \return void */ void Traverse(const Udm::Object &focusObject) { // GMEConsole::Console::writeLine("Traverse(focusObject, selectedObjects)", MSG_INFO); NewTraverser traverser; traverser.Traverse(focusObject); } /*////////////////////////////////////////////////////////////////////////////////////// New Traverser //////////////////////////////////////////////////////////////////////////////////////*/ /** \brief Traverses the passed in udmObject. 1. Finds all the root ValueFlowTarget objects in the udmObject. Root means no incoming ValueFlow connections 2. From the root nodes, find all the leaf nodes. Leaf means no outgoing ValueFlowConnections 3. If there are no roots or leafs then we might have a cycle and prints out a graphvz file showing the cycle \param [in] udmObject Reference to a udm object. \return void */ void NewTraverser::Traverse(const Udm::Object &udmObject) { m_BoundingBox = udmObject; Uml::Class myType = udmObject.type(); if (myType == CyPhyML::TestBenchSuite::meta) { CyPhyML::TestBenchSuite tbsuite = CyPhyML::TestBenchSuite::Cast(udmObject); set<CyPhyML::ValueFlowTarget> vtf_Set = tbsuite.ValueFlowTarget_kind_children(); for (set<CyPhyML::ValueFlowTarget>::iterator i = vtf_Set.begin(); i != vtf_Set.end(); i++) { CyPhyML::ValueFlowTarget vft(*i); if (this->IsLeafNode(vft)) { leafNodes.insert(vft); } } this->EvaluateTestBenchSuite(tbsuite); } else { if (IsDerivedFrom(myType, CyPhyML::TestBenchType::meta)) { CyPhyML::TestBenchType testBench = CyPhyML::TestBenchType::Cast(udmObject); this->m_fileName = testBench.name(); this->FindRootNodes(testBench, m_rootNodes); // Find Root at TB + SUT this->FindLeafNodes(testBench, leafNodes); // Find Leaf only at TB level, do not go into SUT etc // DY: 10-29-2012 if (m_rootNodes.size() > 0) { FindLeafNodes(m_rootNodes, leafNodes); // Find all Leaf from root. Takes care of cases where there are no leaf at TB level but some inside a SUT } } else { if (myType == CyPhyML::Component::meta) { CyPhyML::Component component = CyPhyML::Component::Cast(udmObject); this->m_fileName = component.name(); this->FindRootNodes(component, m_rootNodes); } else if (myType == CyPhyML::TestComponent::meta) { CyPhyML::TestComponent testComponent = CyPhyML::TestComponent::Cast(udmObject); this->m_fileName = testComponent.name(); this->FindRootNodes(testComponent, m_rootNodes); } else if (myType == CyPhyML::ComponentAssembly::meta) { CyPhyML::ComponentAssembly assembly = CyPhyML::ComponentAssembly::Cast(udmObject); this->m_fileName = assembly.name(); this->FindRootNodes(assembly, m_rootNodes); } if (!m_rootNodes.empty() || !m_cadParameters.empty() || !m_manufactureParameters.empty() || !m_modelicaParameters.empty() || !m_carParameters.empty()) { FindLeafNodes(m_rootNodes, leafNodes); // PrintNodes(m_rootNodes, "Root"); // PrintNodes(leafNodes, "Leaf"); // EvaluateLeafNodes(leafNodes); #ifdef GRAPHVIZ PrintUnProcessedNamedElements(); #endif } else { // GMEConsole::Console::writeLine("FormulaEvaluator - 0 ValueFlow objects found to start evaluation from.", MSG_INFO); PrintUnProcessedNamedElements(); } } FindUnitsFolders(udmObject); EvaluateLeafNodes(leafNodes); EvaluateCADParameters(); EvaluateManufactureParameters(); EvaluateModelicaParameters(); EvaluateCarParameters(); } } /** \brief Find all root nodes (no incoming ValueFlow connections) and sticks them in nodes for a cyphy component. \param [in] component Reference to a cyphy component object which will be traversed to find root nodes. \param [in, out] nodes Reference to a set of ValueFlowTarget, this will store all root nodes found. \return void */ void NewTraverser::FindRootNodes(const CyPhyML::Component &component, set<CyPhyML::ValueFlowTarget> &nodes) { set<CyPhyML::ValueFlowTarget> vft_Set = component.ValueFlowTarget_kind_children(); for (set<CyPhyML::ValueFlowTarget>::iterator i = vft_Set.begin(); i != vft_Set.end(); i++) { CyPhyML::ValueFlowTarget vft(*i); string name = vft.name(); if (this->IsRootNode(vft)) nodes.insert(vft); } // ************************* set<CyPhyML::CarModel> carModel_Set = component.CarModel_kind_children(); for (set<CyPhyML::CarModel>::const_iterator ci = carModel_Set.begin(); ci != carModel_Set.end(); ci++) { set<CyPhyML::CarParameter> carParam = ci->CarParameter_kind_children(); for (set<CyPhyML::CarParameter>::const_iterator di = carParam.begin(); di != carParam.end(); di++) m_carParameters.insert(*di); } // ************************* set<CyPhyML::CADModel> cadModel_Set = component.CADModel_kind_children(); for (set<CyPhyML::CADModel>::const_iterator ci = cadModel_Set.begin(); ci != cadModel_Set.end(); ci++) { set<CyPhyML::CADParameter> cadParam = ci->CADParameter_kind_children(); for (set<CyPhyML::CADParameter>::const_iterator di = cadParam.begin(); di != cadParam.end(); di++) m_cadParameters.insert(*di); } set<CyPhyML::ManufacturingModel> manModel_set = component.ManufacturingModel_kind_children(); for (set<CyPhyML::ManufacturingModel>::const_iterator ci = manModel_set.begin(); ci != manModel_set.end(); ci++) { set<CyPhyML::ManufacturingModelParameter> param = ci->ManufacturingModelParameter_kind_children(); for (set<CyPhyML::ManufacturingModelParameter>::const_iterator di = param.begin(); di != param.end(); di++) m_manufactureParameters.insert(*di); } // ZL 11/20/2013 support modelica parameters as value flow targets set<CyPhyML::ModelicaModelType> modelicaModel_set = component.ModelicaModelType_kind_children(); for (set<CyPhyML::ModelicaModelType>::const_iterator ci = modelicaModel_set.begin(); ci != modelicaModel_set.end(); ci++) { set<CyPhyML::ModelicaParameter> param = ci->ModelicaParameter_kind_children(); for (set<CyPhyML::ModelicaParameter>::const_iterator di = param.begin(); di != param.end(); di++) { m_modelicaParameters.insert(*di); } } set<CyPhyML::ModelicaConnector> modelicaConnector_set = component.ModelicaConnector_kind_children(); for (set<CyPhyML::ModelicaConnector>::const_iterator ci = modelicaConnector_set.begin(); ci != modelicaConnector_set.end(); ci++) { set<CyPhyML::ModelicaParameter> param = ci->ModelicaParameter_kind_children(); for (set<CyPhyML::ModelicaParameter>::const_iterator di = param.begin(); di != param.end(); di++) { m_modelicaParameters.insert(*di); } } } // ZL 11/20/2013 support modelica parameters as value flow targets void NewTraverser::FindRootNodes(const CyPhyML::TestComponent &component, set<CyPhyML::ValueFlowTarget> &nodes) { set<CyPhyML::ValueFlowTarget> vft_Set = component.ValueFlowTarget_kind_children(); for (set<CyPhyML::ValueFlowTarget>::iterator i = vft_Set.begin(); i != vft_Set.end(); i++) { CyPhyML::ValueFlowTarget vft(*i); string name = vft.name(); if (this->IsRootNode(vft)) nodes.insert(vft); } set<CyPhyML::CADModel> cadModel_Set = component.CADModel_kind_children(); for (set<CyPhyML::CADModel>::const_iterator ci = cadModel_Set.begin(); ci != cadModel_Set.end(); ci++) { set<CyPhyML::CADParameter> cadParam = ci->CADParameter_kind_children(); for (set<CyPhyML::CADParameter>::const_iterator di = cadParam.begin(); di != cadParam.end(); di++) m_cadParameters.insert(*di); } set<CyPhyML::ManufacturingModel> manModel_set = component.ManufacturingModel_kind_children(); for (set<CyPhyML::ManufacturingModel>::const_iterator ci = manModel_set.begin(); ci != manModel_set.end(); ci++) { set<CyPhyML::ManufacturingModelParameter> param = ci->ManufacturingModelParameter_kind_children(); for (set<CyPhyML::ManufacturingModelParameter>::const_iterator di = param.begin(); di != param.end(); di++) m_manufactureParameters.insert(*di); } set<CyPhyML::ModelicaModelType> modelicaModel_set = component.ModelicaModelType_kind_children(); for (set<CyPhyML::ModelicaModelType>::const_iterator ci = modelicaModel_set.begin(); ci != modelicaModel_set.end(); ci++) { set<CyPhyML::ModelicaParameter> param = ci->ModelicaParameter_kind_children(); for (set<CyPhyML::ModelicaParameter>::const_iterator di = param.begin(); di != param.end(); di++) { m_modelicaParameters.insert(*di); } } set<CyPhyML::ModelicaConnector> modelicaConnector_set = component.ModelicaConnector_kind_children(); for (set<CyPhyML::ModelicaConnector>::const_iterator ci = modelicaConnector_set.begin(); ci != modelicaConnector_set.end(); ci++) { set<CyPhyML::ModelicaParameter> param = ci->ModelicaParameter_kind_children(); for (set<CyPhyML::ModelicaParameter>::const_iterator di = param.begin(); di != param.end(); di++) { m_modelicaParameters.insert(*di); } } } /** \brief Find all root nodes (no incoming ValueFlow connections) and sticks them in nodes for a cyphy component assembly. \param [in] componentAssembly Reference to a cyphy component assembly object which will be traversed to find root nodes. \param [in, out] nodes Reference to a set of ValueFlowTarget, this will store all root nodes found. \return void */ void NewTraverser::FindRootNodes(const CyPhyML::ComponentAssembly &componentAssembly, set<CyPhyML::ValueFlowTarget> &nodes) { set<CyPhyML::Component> c_Set = componentAssembly.Component_kind_children(); for (set<CyPhyML::Component>::iterator i = c_Set.begin(); i != c_Set.end(); i++) { CyPhyML::Component component(*i); FindRootNodes(component, nodes); } set<CyPhyML::ComponentAssembly> ca_Set = componentAssembly.ComponentAssembly_kind_children(); for (set<CyPhyML::ComponentAssembly>::iterator i = ca_Set.begin(); i != ca_Set.end(); i++) { CyPhyML::ComponentAssembly componentAssembly(*i); FindRootNodes(componentAssembly, nodes); } set<CyPhyML::ValueFlowTarget> vtf_Set = componentAssembly.ValueFlowTarget_kind_children(); for (set<CyPhyML::ValueFlowTarget>::iterator i = vtf_Set.begin(); i != vtf_Set.end(); i++) { CyPhyML::ValueFlowTarget vft(*i); if (this->IsRootNode(vft)) nodes.insert(vft); } set<CyPhyML::ModelicaConnector> modelicaConnector_set = componentAssembly.ModelicaConnector_kind_children(); for (set<CyPhyML::ModelicaConnector>::const_iterator ci = modelicaConnector_set.begin(); ci != modelicaConnector_set.end(); ci++) { set<CyPhyML::ModelicaParameter> param = ci->ModelicaParameter_kind_children(); for (set<CyPhyML::ModelicaParameter>::const_iterator di = param.begin(); di != param.end(); di++) { m_modelicaParameters.insert(*di); } } } /** \brief Find all root nodes (no incoming ValueFlow connections) and sticks them in nodes for a cyphy test bench. \param [in] testBench Reference to a cyphy test bench object which will be traversed to find root nodes. \param [in, out] nodes Reference to a set of ValueFlowTarget, this will store all root nodes found. \return void */ void NewTraverser::FindRootNodes(const CyPhyML::TestBenchType &testBench, set<CyPhyML::ValueFlowTarget> &nodes) { set<CyPhyML::Component> c_Set = testBench.Component_kind_children(); for (set<CyPhyML::Component>::iterator i = c_Set.begin(); i != c_Set.end(); i++) { CyPhyML::Component component(*i); FindRootNodes(component, nodes); } set<CyPhyML::TestComponent> tc_Set = testBench.TestComponent_kind_children(); for (set<CyPhyML::TestComponent>::iterator i = tc_Set.begin(); i != tc_Set.end(); i++) { CyPhyML::TestComponent testComponent(*i); FindRootNodes(testComponent, nodes); } set<CyPhyML::ComponentAssembly> ca_Set = testBench.ComponentAssembly_kind_children(); for (set<CyPhyML::ComponentAssembly>::iterator i = ca_Set.begin(); i != ca_Set.end(); i++) { CyPhyML::ComponentAssembly componentAssembly(*i); FindRootNodes(componentAssembly, nodes); } set<CyPhyML::ValueFlowTarget> vtf_Set = testBench.ValueFlowTarget_kind_children(); for (set<CyPhyML::ValueFlowTarget>::iterator i = vtf_Set.begin(); i != vtf_Set.end(); i++) { CyPhyML::ValueFlowTarget vft(*i); if (this->IsRootNode(vft)) nodes.insert(vft); } } /** \brief Checks if a ValueFormula can be evaluated meaning it has at least 1 incoming and 1 outgoing ValueFlow connections. \param [in] formula Reference to a ValueFormula object to be evaluated. \return void */ bool NewTraverser::CheckValueFormula(const CyPhyML::ValueFormula &formula) { // GMEConsole::Console::writeLine("Hello", MSG_WARNING); bool stat = 1; set<CyPhyML::ValueFlow> vf_Src_Set = formula.srcValueFlow(); set<CyPhyML::ValueFlow> vf_Dst_Set = formula.dstValueFlow(); if (vf_Src_Set.size() == 0) { string message = "FormulaEvaluator -Formula [" + UdmGme::UdmId2GmeId(formula.uniqueId()) + "] does not have valid inputs so it can not be evaluated."; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception (message); stat = 0; } if (vf_Dst_Set.size() == 0) { GMEConsole::Console::writeLine("FormulaEvaluator -Formula [" + UdmGme::UdmId2GmeId(formula.uniqueId()) + "] does not have outputs.", MSG_WARNING); stat = 0; } return stat; } /** \brief Checks whether a NamedElement object has any ValueFlow connections \param [in] vft Reference to a cyphy ValueFlowTarget object to be evaluated. \return 1 if it has no ValueFlow connections, 0 otherwise */ bool NewTraverser::IsNamedElementStandAlone(const CyPhyML::ValueFlowTarget &vft) { set<CyPhyML::ValueFlow> vf_Src_Set = vft.srcValueFlow(); set<CyPhyML::ValueFlow> vf_Dst_Set = vft.dstValueFlow(); return (vf_Src_Set.size() == 0 && vf_Dst_Set.size() == 0); } /** \brief Find all leaf nodes (no incoming ValueFlow connections) from root nodes. \param [in] rootNodes Set of root ValueFlowTarget nodes to be evaluated. \param [in, out] leafNodes Stores reference to leaf ValueFlowTarget found. \return void */ void NewTraverser::FindLeafNodes(const set<CyPhyML::ValueFlowTarget> &rootNodes, set<CyPhyML::ValueFlowTarget> &leafNodes) { for (set<CyPhyML::ValueFlowTarget>::iterator i = rootNodes.begin(); i != rootNodes.end(); i++) { CyPhyML::ValueFlowTarget vft(*i); string path = vft.getPath2("/", false); this->m_visitedNodes[vft.uniqueId()] = 0; FindLeafNodes(vft, leafNodes); } } /** \brief Find all leaf nodes (no incoming ValueFlow connections) for 1 root node. During the process also checks for cycles by doing depth first traversal by using m_visitedNodes and the following code. 0: new 1: visting 2: finished \param [in] rootNode A root ValueFlowTarget node to be evaluated. \param [in, out] leafNodes Stores reference to leaf ValueFlowTarget found. \return void */ void NewTraverser::FindLeafNodes(const CyPhyML::ValueFlowTarget &rootNode, set<CyPhyML::ValueFlowTarget> &leafNodes) { string path = rootNode.getPath2("/", false); Udm::Object myParent = rootNode.GetParent(); map<long, int>::iterator i = this->m_visitedNodes.find(rootNode.uniqueId()); if (i != this->m_visitedNodes.end()) this->m_visitedNodes[rootNode.uniqueId()] = 1; set<CyPhyML::ValueFlow> dstVF_Set = rootNode.dstValueFlow(); for (set<CyPhyML::ValueFlow>::iterator i = dstVF_Set.begin(); i != dstVF_Set.end(); ) { CyPhyML::ValueFlow dst_vf(*i); CyPhyML::ValueFlowTarget dst_vfTarget = dst_vf.dstValueFlow_end(); if (dst_vfTarget != Udm::null) string outgoing_vft_path = dst_vfTarget.getPath2("/", false); else string outgoing_vft_path = "I am null"; // DY 11/22/11: Do not follow ValueFlow outside of Bounding Box Udm::Object dst_vf_Parent = dst_vf.GetParent(); if (myParent == m_BoundingBox && dst_vf_Parent != m_BoundingBox) { dstVF_Set.erase(i++); continue; } if (*dst_vf.dstValueFlow_refport_parent() != Udm::null) { dstVF_Set.erase(i++); continue; } ++i; map<long, int>::iterator j = this->m_visitedNodes.find(dst_vfTarget.uniqueId()); if (j != this->m_visitedNodes.end()) { if (j->second == 0) { //if (!this->FindCyles(src_vfTarget)) // return false; this->FindLeafNodes(dst_vfTarget, leafNodes); // result = 0; } else if (j->second == 1) { GMEConsole::Console::writeLine("CYCLE DETECTED {", MSG_ERROR); GMEConsole::Console::writeLine(" Node [" + (std::string)rootNode.name() + "," + rootNode.getPath2("/", false) + "] --> Node[" + (std::string)dst_vfTarget.name() + "," + dst_vfTarget.getPath2("/", false) + "]", MSG_ERROR); GMEConsole::Console::writeLine("}", MSG_ERROR); throw udm_exception ("FormulaEvaluator -Cycle Detected in value flow, " + rootNode.getPath2("/", false) + " --> " + dst_vfTarget.getPath2("/", false)); //result = 0; } else if (j->second == 2) { continue; } else GMEConsole::Console::writeLine("Unknown color!", MSG_WARNING); } else { this->m_visitedNodes[dst_vfTarget.uniqueId()] = 0; //if (!this->FindCyles(src_vfTarget)) // return false; this->FindLeafNodes(dst_vfTarget, leafNodes); } } // end for if (dstVF_Set.size() == 0) // no outgoing ValueFlow leafNodes.insert(rootNode); i->second = 2; } void NewTraverser::FindLeafNodes(const CyPhyML::TestBenchType& testBench, set<CyPhyML::ValueFlowTarget> &leafNodes) { set<CyPhyML::ValueFlowTarget> vtf_Set = testBench.ValueFlowTarget_kind_children(); for (set<CyPhyML::ValueFlowTarget>::iterator i = vtf_Set.begin(); i != vtf_Set.end(); i++) { CyPhyML::ValueFlowTarget vft(*i); if (this->IsLeafNode(vft)) leafNodes.insert(vft); } } static std::set<CyPhyML::ValueFlow> RemoveVFsWithDstRefports(std::set<CyPhyML::ValueFlow> vfs) { for (auto it = vfs.begin(); it != vfs.end();) { if (IsDestRefport(*it)) vfs.erase(it++); else ++it; } return vfs; } /** \brief Checks if a ValueFlowTarget is a root node. IN conns | Out conns | ------------------------------------------ 0 | 0 | standalone 0 | 1 | root, rootList 1 | 0 | allList 1 | 1 | allList \param [in, out] vft Reference to a ValueFlowTarget to be evaluated. \return 1 if vft is a root node, 0 otherwise */ bool NewTraverser::IsRootNode(const CyPhyML::ValueFlowTarget &vft) { bool isRoot = 0; Udm::Object vftParent = vft.GetParent(); // DY 11/22/11: Modified to respect Bounding Box if ( IsDerivedFrom(vft.type(), CyPhyML::HasDescriptionAndGUID::meta) || IsDerivedFrom(vft.type(), CyPhyML::Constant::meta)) { bool hasIn = 0, hasOut = 0; set<CyPhyML::ValueFlow> srcVFs = RemoveVFsWithDstRefports(vft.srcValueFlow()); // in VFs set<CyPhyML::ValueFlow> dstVFs = vft.dstValueFlow(); // out VFs string tmp = vft.name(); if (srcVFs.size() > 1) { throwOverspecified(vft); } if (vftParent == m_BoundingBox) { // valid in VFs ? for (set<CyPhyML::ValueFlow>::const_iterator ci = srcVFs.begin(); ci != srcVFs.end(); ci++) { if (ci->GetParent() == m_BoundingBox) { hasIn = 1; break; } } // valid out VFs ? for (set<CyPhyML::ValueFlow>::const_iterator ci = dstVFs.begin(); ci != dstVFs.end(); ci++) { if (ci->GetParent() == m_BoundingBox) { hasOut = 1; break; } } } else { hasIn = srcVFs.size() > 0; hasOut = dstVFs.size() > 0; } if (hasIn || hasOut) { this->m_allNamedElements2Process.insert(vft); if (!hasIn) isRoot = 1; } } return isRoot; } bool NewTraverser::IsLeafNode(const CyPhyML::ValueFlowTarget &vft) { int outCount = 0; Udm::Object vftParent = vft.GetParent(); string name = vft.name(); if ( IsDerivedFrom(vft.type(), CyPhyML::HasDescriptionAndGUID::meta) || IsDerivedFrom(vft.type(), CyPhyML::Constant::meta)) { set<CyPhyML::ValueFlow> srcVFs = vft.srcValueFlow(); // in VFs set<CyPhyML::ValueFlow> dstVFs = vft.dstValueFlow(); // out VFs if (srcVFs.size() > 1) { throwOverspecified(vft); } if (!dstVFs.empty()) { if (vftParent == m_BoundingBox) { // valid out VFs ? for (set<CyPhyML::ValueFlow>::const_iterator ci = dstVFs.begin(); ci != dstVFs.end(); ci++) { if (ci->GetParent() == m_BoundingBox) outCount++; } } else { for (auto dstVF = dstVFs.begin(); dstVF != dstVFs.end(); ++dstVF) { if (*dstVF->dstValueFlow_refport_parent() == Udm::null) { outCount++; } } } } } return (outCount == 0); } void NewTraverser::NamedElements2Process(CyPhyML::ValueFlowTarget& vft) { set<CyPhyML::ValueFlowTarget>::iterator i = m_allNamedElements2Process.find(vft); } /** \brief Generates the graphviz gv file and calls dot to create a gif from the gv file. \param [in] nodes A list of ValueFlowTargets' ids involved in cycles \param [in] conns A list of connections between ValueFlowTargets involved in cycles \return void */ void NewTraverser::PrintGraphOfCycles(map<long, string>& nodes, vector<string>& conns) { string graphviz_fn = this->m_fileName + "_graphviz.gv"; ofstream graphviz(graphviz_fn.c_str()); graphviz << "digraph g {\n"; graphviz << "rankdir=LR\n"; for (map<long, string>::const_iterator ci = nodes.begin(); ci != nodes.end(); ci++) { //100004853 [label="Puma_Track_Pkg\n100004853"]; std::string type, name; type = ci->second.substr(0, ci->second.find(":")); name = ci->second.substr(ci->second.find(":")+1); graphviz<<ci->first<< " "; if (type == "NamedElement") // ellipse graphviz<<"[label=\""<<name<<"\\n"<<UdmGme::UdmId2GmeId(ci->first)<<"\",shape=ellipse];\n"; else // box graphviz<<"[label=\""<<name<<"\\n"<<UdmGme::UdmId2GmeId(ci->first)<<"\",shape=box];\n"; } for (vector<string>::const_iterator ci = conns.begin(); ci != conns.end(); ci++) graphviz<<*ci<<";\n"; graphviz << "}"; graphviz.close(); char path[255]; _getcwd(path, 255); std::string entry = "dot -Tgif -O \""+ graphviz_fn + "\""; system(entry.c_str()); string url = "file:///" + (std::string)path + "\\" + graphviz_fn + ".gif"; GMEConsole::Console::writeLine("Generated Graph of cycles: " + GMEConsole::Formatter::MakeHyperlink(url, url), MSG_ERROR); } /** \brief Prints unprocessed ValueFlowTargets and the cycle(s) they are involved in. Checks to see if there are unprocessed ValueFlowTargets, unprocessed indicates cycle(s). Traces unprocessed to gather data on cycles to be printed. \return void */ void NewTraverser::PrintUnProcessedNamedElements() { set<long> visitedValueFlows; vector<string> conns; map<long, string> nodes; bool hasUnProcessed = 0; if (m_allNamedElements2Process.size() > 0) { hasUnProcessed = 1; string unprocessedList; for (set<CyPhyML::ValueFlowTarget>::const_iterator i = m_allNamedElements2Process.begin(); i != m_allNamedElements2Process.end(); i++) { CyPhyML::ValueFlowTarget target(*i); unprocessedList += target.getPath2("/", false) + "|"; // this->PrintUnProcessedNamedElements(target, visitedValueFlows, nodes, conns); } string message = "FormulaEvaluator -Nodes with cyclic dependencies [" + unprocessedList + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception (message); } if (hasUnProcessed) this->PrintGraphOfCycles(nodes, conns); } /** \brief Takes 1 unprocessed ValueFlowTarget and the cycle(s) it is involved in. Checks to see if there are unprocessed ValueFlowTargets, unprocessed indicates cycle(s). Traces unprocessed to gather data on cycles to be printed. \return void */ void NewTraverser::PrintUnProcessedNamedElements(const CyPhyML::ValueFlowTarget& vft, set<long>& visitedValueFlows, map<long, string>& nodeStream, vector<string>& connStream) { long id = vft.uniqueId(); string vft_id; to_string(vft_id, id); if (nodeStream.find(id) == nodeStream.end()) { if (IsDerivedFrom(vft.type(), CyPhyML::ValueFormula::meta)) nodeStream[id] = "ValueFormula:" + (string)vft.name(); else nodeStream[id] = "NamedElement:" + (string)vft.name(); set<CyPhyML::ValueFlow> vf_Dst_Set = vft.dstValueFlow(); for (set<CyPhyML::ValueFlow>::const_iterator ci = vf_Dst_Set.begin(); ci != vf_Dst_Set.end(); ci++) { CyPhyML::ValueFlow vf(*ci); if (visitedValueFlows.find(vf.uniqueId()) == visitedValueFlows.end()) // new ValueFlow { CyPhyML::ValueFlowTarget dst_vft = vf.dstValueFlow_end(); string dst_vft_id; to_string(dst_vft_id, dst_vft.uniqueId()); connStream.push_back(vft_id + " -> " + dst_vft_id); visitedValueFlows.insert(vf.uniqueId()); this->PrintUnProcessedNamedElements(dst_vft, visitedValueFlows, nodeStream, connStream); } } } } void NewTraverser::UpdateNamedElementValue(CyPhyML::ValueFlowTarget &src_vfTarget, CyPhyML::ValueFlowTarget &dst_vfTarget, double value) { std::string valueStr; to_string(valueStr, value); CyPhyML::ParamPropTarget unitRef; if (IsDerivedFrom(src_vfTarget.type(), CyPhyML::Property::meta)) { unitRef = CyPhyML::Property::Cast(src_vfTarget).ref(); } else if (IsDerivedFrom(src_vfTarget.type(), CyPhyML::Parameter::meta)) { unitRef = CyPhyML::Parameter::Cast(src_vfTarget).ref(); } else if (IsDerivedFrom(src_vfTarget.type(), CyPhyML::Metric::meta)) { unitRef = CyPhyML::Metric::Cast(src_vfTarget).ref(); } if (IsDerivedFrom(dst_vfTarget.type(), CyPhyML::Property::meta)) { CyPhyML::Property prop = CyPhyML::Property::Cast(dst_vfTarget); prop.Value() = valueStr; if (unitRef != Udm::null) prop.ref() = unitRef; } else if (IsDerivedFrom(dst_vfTarget.type(), CyPhyML::Parameter::meta)) { CyPhyML::Parameter param = CyPhyML::Parameter::Cast(dst_vfTarget); param.Value() = valueStr; if (unitRef != Udm::null) param.ref() = unitRef; } else if (IsDerivedFrom(dst_vfTarget.type(), CyPhyML::Metric::meta)) { CyPhyML::Metric metric = CyPhyML::Metric::Cast(dst_vfTarget); metric.Value() = valueStr; if (unitRef != Udm::null) metric.ref() = unitRef; } else { string message = "FormulaEvaluator -Only values of Property, Parameter, Metric, CADParameter, or CyberParameter can be set [" + dst_vfTarget.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception (message); } } void Cleanup(multimap<std::string, double*> &parameters) { for (multimap<std::string, double*>::iterator i = parameters.begin(); i != parameters.end(); i++) { delete i->second; i->second = 0; } parameters.clear(); } void NewTraverser::UpdateNamedElementValue(CyPhyML::ValueFlowTarget &vfTarget, double value) { std::string valueStr; to_string(valueStr, value); if (vfTarget.type() == CyPhyML::Property::meta) CyPhyML::Property::Cast(vfTarget).Value() = valueStr; else if (vfTarget.type() == CyPhyML::Parameter::meta) CyPhyML::Parameter::Cast(vfTarget).Value() = valueStr; else if (vfTarget.type() == CyPhyML::CADParameter::meta) CyPhyML::CADParameter::Cast(vfTarget).Value() = valueStr; else if (vfTarget.type() == CyPhyML::Metric::meta) CyPhyML::Metric::Cast(vfTarget).Value() = valueStr; else { string message = "FormulaEvaluator -Only values of Property, Parameter, Metric, CADParameter, or CyberParameter can be set [" + vfTarget.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception (message); } if (leafNodes.find(vfTarget) != leafNodes.end()) { numericLeafNodes.emplace_back(vfTarget.name()); } } void NewTraverser::UpdateNamedElementValue(CyPhyML::ValueFlowTarget &vfTarget, CyPhyML::unit& unitRef, double value) { std::string valueStr; to_string(valueStr, value); UpdateNamedElementValue(vfTarget, unitRef, valueStr); if (leafNodes.find(vfTarget) != leafNodes.end()) { numericLeafNodes.emplace_back(vfTarget.name()); } } void NewTraverser::UpdateNamedElementValue(CyPhyML::ValueFlowTarget &vfTarget, CyPhyML::unit& unitRef, std::string valueStr) { if (vfTarget.type() == CyPhyML::Property::meta) { CyPhyML::Property ne = CyPhyML::Property::Cast(vfTarget); ne.Value() = valueStr; ne.ref() = unitRef; } else if (vfTarget.type() == CyPhyML::Parameter::meta) { CyPhyML::Parameter ne = CyPhyML::Parameter::Cast(vfTarget); ne.Value() = valueStr; ne.ref() = unitRef; } else if (vfTarget.type() == CyPhyML::Metric::meta) { CyPhyML::Metric ne = CyPhyML::Metric::Cast(vfTarget); ne.Value() = valueStr; ne.ref() = unitRef; } else { string message = "FormulaEvaluator -Only values of Property, Parameter, Metric, CADParameter, or CyberParameter can be set [" + vfTarget.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception (message); } } void NewTraverser::EvaluateLeafNodes(set<CyPhyML::ValueFlowTarget> &leafNodes) { for (set<CyPhyML::ValueFlowTarget>::iterator i = leafNodes.begin(); i != leafNodes.end(); i++) { CyPhyML::ValueFlowTarget vfTarget (*i); //this->EvaluateValueFlowTarget(vfTarget); std::string name = vfTarget.name(), id = UdmGme::UdmId2GmeId(vfTarget.uniqueId()); UnitUtil::ValueUnitRep uvRep; // DY 11/22/11: Checks the type so that ValueFormula leaf nodes don't accidentally get sent to EvaluatePPC() if ( IsDerivedFrom(vfTarget.type(), CyPhyML::HasDescriptionAndGUID::meta) || IsDerivedFrom(vfTarget.type(), CyPhyML::Constant::meta)) { this->EvaluatePPC(vfTarget, uvRep); } else if (IsDerivedFrom(vfTarget.type(), CyPhyML::ValueFormula::meta)) { this->EvaluateFormula(CyPhyML::ValueFormula::Cast(vfTarget), uvRep); } } } // Another version that uses ValueUnitRep for unit conversion bool NewTraverser::EvaluatePPC(CyPhyML::ValueFlowTarget &vf, UnitUtil::ValueUnitRep &myVURep) { long id = vf.uniqueId(); std::string name = vf.name(), idStr = UdmGme::UdmId2GmeId(vf.uniqueId()); bool stat = 1; bool isNamedElement = 1; // :::already evaluated ::: unordered_map<long, UnitUtil::ValueUnitRep>::const_iterator ci = m_convertedValueFlowTargets_SIMap.find(id); if (ci != m_convertedValueFlowTargets_SIMap.end()) { myVURep = ci->second; if (myVURep == circularConnectionSentinel) { throw udm_exception("Circular ValueFlow detected involving '" + vf.getPath2("/", false) + "'"); } return true; } m_convertedValueFlowTargets_SIMap.insert(make_pair(id, circularConnectionSentinel)); std::string val; CyPhyML::ParamPropTarget unitRef; // get vf's unitReference CyPhyML::unit myUnit; Uml::Class vfType = vf.type(); if (vfType == CyPhyML::Parameter::meta) { CyPhyML::Parameter tmp = CyPhyML::Parameter::Cast(vf); val = tmp.Value(); unitRef = tmp.ref(); } else if (vfType == CyPhyML::Property::meta) { CyPhyML::Property tmp = CyPhyML::Property::Cast(vf); val = tmp.Value(); unitRef = tmp.ref(); } else if (vfType == CyPhyML::Metric::meta) { CyPhyML::Metric tmp = CyPhyML::Metric::Cast(vf); val = tmp.Value(); unitRef = tmp.ref(); } else if (vfType == CyPhyML::Constant::meta) { CyPhyML::Constant tmp = CyPhyML::Constant::Cast(vf); // convert double to string char buf[30]; sprintf_s(buf, "%.17g", static_cast<double>(tmp.ConstantValue())); val = buf; } else if (vfType == CyPhyML::ValueFlowTypeSpecification::meta) { CyPhyML::ValueFlowTypeSpecification tmp = CyPhyML::ValueFlowTypeSpecification::Cast(vf); val = "0"; unitRef = tmp.ref(); isNamedElement = 0; } else { GMEConsole::Console::writeLine(name + " [" + idStr + "] is not Parameter, CADParameter, CyberParameter, Metrics or Property! Skipping!", MSG_INFO); } //if (unitRef == Udm::null) // null unit reference, let's throw an exception for now // throw udm_exception(idStr + "'s unit reference is null!"); bool nullUnitRef = (unitRef == Udm::null); string unitRefID = UdmGme::UdmId2GmeId(unitRef.uniqueId()); if (!nullUnitRef && IsDerivedFrom(unitRef.type(), CyPhyML::unit::meta)) // TODO: 12/20/11 Auto-assigning unit //if (IsDerivedFrom(unitRef.type(), CyPhyML::unit::meta)) // only CyPhyML::unit is supported right now myUnit = CyPhyML::unit::Cast(unitRef); myVURep.cyphyRef = myUnit; // TODO: 12/20/11 Auto-assigning unit // ::: not evaluated yet ::: set<CyPhyML::ValueFlow> VF_Set = RemoveVFsWithDstRefports(vf.srcValueFlow()); if (VF_Set.size() > 0) { //double tmp = 0; UnitUtil::ValueUnitRep incomingVURep; unitUtil.ConvertToSIEquivalent(myUnit, 1, myVURep.unitRep); if (VF_Set.size() > 1) { throwOverspecified(vf); } CyPhyML::ValueFlowTarget src_vfTarget = (CyPhyML::ValueFlow(*VF_Set.begin())).srcValueFlow_end(); if ( IsDerivedFrom(src_vfTarget.type(), CyPhyML::HasDescriptionAndGUID::meta) || IsDerivedFrom(src_vfTarget.type(), CyPhyML::Constant::meta)) { EvaluatePPC(src_vfTarget, incomingVURep); if (incomingVURep.type == UnitUtil::ValueUnitRep::STRING) { if (myVURep.cyphyRef != Udm::null) { stat = 0; UpdateNamedElementValue(vf, 0); string message = "FormulaEvaluator -Unit incompatibility between " + vf.getPath2("/", false) + " and its incoming value flow."; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } myVURep.type = incomingVURep.type; myVURep.actualValue = incomingVURep.actualValue; myVURep.siValue = incomingVURep.siValue; myVURep.strValue = incomingVURep.strValue; // save type here UpdateNamedElementValue(vf, CyPhyML::unit::Cast(Udm::null), myVURep.strValue); } else if (myVURep.unitRep == incomingVURep.unitRep) // units are compatible { // convert myVURep.type = UnitUtil::ValueUnitRep::DOUBLE; myVURep.siValue = incomingVURep.siValue; myVURep.actualValue = unitUtil.ConvertFromSIEquivalent(myUnit, incomingVURep.siValue); UpdateNamedElementValue(vf, myVURep.actualValue); } else // units not compatible { myVURep.type = UnitUtil::ValueUnitRep::DOUBLE; if (nullUnitRef) // TODO: 12/20/11 Auto-assigning unit { myVURep.siValue = incomingVURep.siValue; myVURep.cyphyRef = incomingVURep.cyphyRef; myVURep.unitRep = incomingVURep.unitRep; myVURep.actualValue = unitUtil.ConvertFromSIEquivalent(myVURep.cyphyRef, myVURep.siValue); UpdateNamedElementValue(vf, myVURep.cyphyRef, myVURep.actualValue); // TODO: 12/20/11 Auto-assigning unit //GMEConsole::Console::writeLine("Unit Assignment: NamedElement [" + GMEConsole::Formatter::MakeObjectHyperlink(UdmGme::UdmId2GmeId(vf.uniqueId()), vf) + "]", MSG_WARNING); } else // really are not compatible { stat = 0; UpdateNamedElementValue(vf, 0); string message = "FormulaEvaluator -Unit incompatibility between " + vf.getPath2("/", false) + " and its incoming value flow."; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } } } else if (IsDerivedFrom(src_vfTarget.type(), CyPhyML::ValueFormula::meta)) { EvaluateFormula(CyPhyML::ValueFormula::Cast(src_vfTarget), incomingVURep); myVURep.type = UnitUtil::ValueUnitRep::DOUBLE; if (src_vfTarget.type() == CyPhyML::SimpleFormula::meta) // simple formula { // check dimensionRep of myVURep and incomingVURep // assign siEqValue to siEqValue, then convert siEqValue to actualValue if (myVURep.unitRep == incomingVURep.unitRep) { myVURep.siValue = incomingVURep.siValue; myVURep.actualValue = unitUtil.ConvertFromSIEquivalent(myUnit, incomingVURep.siValue); UpdateNamedElementValue(vf, myVURep.actualValue); // TODO: 12/20/11 Auto-assigning unit } else { if (nullUnitRef) // TODO: 12/20/11 Auto-assigning unit { if (incomingVURep.cyphyRef == Udm::null) { string message = "FormulaEvaluator - Unit can not be deduced because unit reference is null [" + vf.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message , MSG_ERROR); throw udm_exception(message); } myVURep.siValue = incomingVURep.siValue; myVURep.cyphyRef = incomingVURep.cyphyRef; myVURep.unitRep = incomingVURep.unitRep; myVURep.actualValue = unitUtil.ConvertFromSIEquivalent(myVURep.cyphyRef, myVURep.siValue); UpdateNamedElementValue(vf, myVURep.cyphyRef, myVURep.actualValue); // TODO: 12/20/11 Auto-assigning unit //GMEConsole::Console::writeLine("Unit Assignment: NamedElement [" + GMEConsole::Formatter::MakeObjectHyperlink(UdmGme::UdmId2GmeId(vf.uniqueId()), vf) + "]", MSG_WARNING); } else // really are not compatible { string message = "FormulaEvaluator - Unit incompatibility between " + vf.getPath2("/", false) + " and its incoming value flow."; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } } } else // custom formula { // no checking for dimensionRep of myVURep and incomingVURep // assign actualValue to actualValue, then convert actualValue to siEqValue myVURep.actualValue = incomingVURep.actualValue; myVURep.siValue = unitUtil.ConvertToSIEquivalent(myUnit, incomingVURep.siValue, incomingVURep.unitRep); UpdateNamedElementValue(vf, myVURep.actualValue); } //UpdateNamedElementValue(vf, myVURep.actualValue); // TODO: 12/20/11 Auto-assigning unit } m_convertedValueFlowTargets_SIMap[vf.uniqueId()] = myVURep; m_allNamedElements2Process.erase(vf); //NamedElements2Process(vf); } else { /* standalone ValueFlowTarget use the value attribute on vftarget call ConvertToSIExponents() to convert value in terms of SI and get SI exponents (SIRep) populated */ bool valueIsString; double tmp = std::numeric_limits<double>::quiet_NaN(); if (val == "") { valueIsString = true; } else { // It may be a fraction or other expression. // We'll let MuParser handle it. mu::Parser parser; parser.ResetLocale(); parser.SetExpr(CheckExpression(wstringFromUTF8(val))); try { tmp = parser.Eval(); valueIsString = false; } catch (mu::Parser::exception_type exc) { // Couldn't parse expression; assume it is a string valueIsString = true; } } if (valueIsString) { myVURep.type = UnitUtil::ValueUnitRep::STRING; myVURep.strValue = val; myVURep.actualValue = 0; myVURep.siValue = 0; // This call will set myVURep.unitRep // We don't care what it returns, since the "siValue" of this node (a string) is 0. (void)unitUtil.ConvertToSIEquivalent(myUnit, 0, myVURep.unitRep); } else { myVURep.type = UnitUtil::ValueUnitRep::DOUBLE; myVURep.siValue = myVURep.actualValue = tmp; // unconverted value myVURep.siValue = unitUtil.ConvertToSIEquivalent(myUnit, tmp, myVURep.unitRep); // converted value in terms of SI if (leafNodes.find(vf) != leafNodes.end()) { numericLeafNodes.emplace_back(name); } } m_convertedValueFlowTargets_SIMap[vf.uniqueId()] = myVURep; m_allNamedElements2Process.erase(vf); //NamedElements2Process(vf); } return stat; } // Another version that takes units into account bool NewTraverser::EvaluateFormula(CyPhyML::ValueFormula &vf, UnitUtil::ValueUnitRep &myVURep) { long id = vf.uniqueId(); std::string name = vf.name(), idStr = UdmGme::UdmId2GmeId(vf.uniqueId()); bool simpleFormula = (vf.type() == CyPhyML::SimpleFormula::meta); // :::already evaluated ::: unordered_map<long, UnitUtil::ValueUnitRep>::const_iterator ci = m_convertedValueFlowTargets_SIMap.find(vf.uniqueId()); if (ci != m_convertedValueFlowTargets_SIMap.end()) // already evaluated before { myVURep = ci->second; if (myVURep == circularConnectionSentinel) { throw udm_exception("Circular ValueFlow detected involving '" + name + "'"); } return 1; } m_convertedValueFlowTargets_SIMap.insert(make_pair(id, circularConnectionSentinel)); set<CyPhyML::ValueFlow> VF_Set = vf.srcValueFlow(); if (VF_Set.size() == 0) { string message = "FormulaEvaluator - Formula has 0 inputs [" + vf.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } if (simpleFormula) // simple formula { //vector<UnitUtil::ValueUnitRep> inputVURep_Collection; map<CyPhyML::ValueFlowTarget, UnitUtil::ValueUnitRep> inputVURep_Collection; multimap<wstring, double> parameters; // do conversion to SI units, check compatibility, then calculate and save for (set<CyPhyML::ValueFlow>::iterator i = VF_Set.begin(); i != VF_Set.end(); i++) { UnitUtil::ValueUnitRep inputVURep; CyPhyML::ValueFlow src_vf(*i); CyPhyML::ValueFlowTarget src_vfTarget = src_vf.srcValueFlow_end(); std::string vf_variableName = src_vf.FormulaVariableName(); Uml::Class src_vfType = src_vfTarget.type();; if (IsDerivedFrom(src_vfType, CyPhyML::ValueFormula::meta)) { if (src_vfType == CyPhyML::CustomFormula::meta) { string message = "FormualEvaluator: SimpleFormula can only connect to CustomFormula through ValueFlowTypeSpecification objects [" + vf.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception (message); } EvaluateFormula(CyPhyML::ValueFormula::Cast(src_vfTarget), inputVURep); //inputVURep_Collection.push_back(inputVURep); inputVURep_Collection[src_vfTarget] = inputVURep; } else { EvaluatePPC(src_vfTarget, inputVURep); if (inputVURep.type == UnitUtil::ValueUnitRep::STRING && inputVURep.strValue != "") { string message = "FormualEvaluator: SimpleFormula must not have string input [" + vf.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception (message); } //inputVURep_Collection.push_back(inputVURep); inputVURep_Collection[src_vfTarget] = inputVURep; } } int size = inputVURep_Collection.size(); string method = CyPhyML::SimpleFormula::Cast(vf).Method(); if (method != "Multiplication") // need to check SIReps { // if parameters size is greater than 1 then check unit compatibility, otherwise there's no point in checking if (size > 0) { map<CyPhyML::ValueFlowTarget, UnitUtil::ValueUnitRep>::const_iterator begin = inputVURep_Collection.begin(); CyPhyML::ValueFlowTarget firstVFT = begin->first; UnitUtil::ValueUnitRep first = begin->second; parameters.insert(make_pair(L"dummy", first.siValue)); begin++; for (; begin != inputVURep_Collection.end(); begin++) { if (first.unitRep != begin->second.unitRep) { string message = "FormulaEvaluator - SimpleFormula Input unit(s) NOT Compatible for multiplication[" + firstVFT.getPath2("/", false) + " ," + begin->first.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } else parameters.insert(make_pair(L"dummy", begin->second.siValue)); } // set DimensionRep myVURep.unitRep = first.unitRep; myVURep.cyphyRef = first.cyphyRef; // TODO: 12/20/11 Auto-assigning unit #if 0 parameters.insert(make_pair("dummy", inputVURep_Collection[0].siValue)); for (unsigned int i = 1; i < size; i++) { if (inputVURep_Collection[0].unitRep != inputVURep_Collection[i].unitRep) { throw udm_exception("Input unit(s) NOT Compatible: Can't evaluate Formula [" + GMEConsole::Formatter::MakeObjectHyperlink(vf.name(), vf) + "]"); } else parameters.insert(make_pair("dummy", inputVURep_Collection[i].siValue)); } // set DimensionRep myVURep.unitRep = inputVURep_Collection[0].unitRep; myVURep.cyphyRef = inputVURep_Collection[0].cyphyRef; // TODO: 12/20/11 Auto-assigning unit #endif } } else { // set DimensionRep for (map<CyPhyML::ValueFlowTarget, UnitUtil::ValueUnitRep>::const_iterator begin = inputVURep_Collection.begin(); begin != inputVURep_Collection.end(); begin++) { myVURep.unitRep += begin->second.unitRep; parameters.insert(make_pair(L"dummy", begin->second.siValue)); } #if 0 // set DimensionRep for (unsigned int i = 0; i < size; i++) { myVURep.unitRep += inputVURep_Collection[i].unitRep; parameters.insert(make_pair("dummy", inputVURep_Collection[i].siValue)); } #endif } myVURep.siValue = EvaluateSimpleFormula(parameters, wstringFromUTF8(method)); myVURep.actualValue = myVURep.siValue; m_convertedValueFlowTargets_SIMap[vf.uniqueId()] = myVURep; } else // custom formula treated as blackbox { std::multimap<std::wstring, double> parameters; for (set<CyPhyML::ValueFlow>::iterator i = VF_Set.begin(); i != VF_Set.end(); i++) { double tmp = 0; CyPhyML::ValueFlow src_vf(*i); CyPhyML::ValueFlowTarget src_vfTarget = src_vf.srcValueFlow_end(); std::string vf_variableName = src_vf.FormulaVariableName(); Uml::Class src_vfType = src_vfTarget.type(); UnitUtil::ValueUnitRep incomingVURep; if (IsDerivedFrom(src_vfType, CyPhyML::ValueFormula::meta)) // formula connected to formula should not be valid anymore (???) { if (src_vfType == CyPhyML::SimpleFormula::meta) { string message = "FormulaEvaluator - CustomFormula can only connect to SimpleFormula using ValueFlowTypeSpecification objects [" + vf.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception (message); } //if (this->EvaluateFormula(CyPhyML::ValueFormula::Cast(src_vfTarget), incomingVURep) this->EvaluateFormula(CyPhyML::ValueFormula::Cast(src_vfTarget), incomingVURep); { parameters.insert(pair<std::wstring, double>((vf_variableName == "") ? L"Formula" : wstringFromUTF8(vf_variableName), incomingVURep.actualValue)); } } else { //if (this->EvaluatePPC(src_vfTarget, incomingVURep)) this->EvaluatePPC(src_vfTarget, incomingVURep); if (incomingVURep.type == UnitUtil::ValueUnitRep::STRING && incomingVURep.strValue != "") { string message = "FormualEvaluator: SimpleFormula must not have string input [" + vf.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception (message); } { parameters.insert(pair<std::wstring, double>((vf_variableName == "") ? wstringFromUTF8(src_vfTarget.name()) : wstringFromUTF8(vf_variableName), incomingVURep.actualValue)); } } } // either we inserted into parameters for every VF_set item, or we threw an exception ASSERT(parameters.size() == VF_Set.size()); if (parameters.size() > 0) { auto evaluatedValue = EvaluateCustomFormula(parameters, wstringFromUTF8(CyPhyML::CustomFormula::Cast(vf).Expression())); if (evaluatedValue == std::numeric_limits<double>::infinity()) { string message = "FormulaEvaluator - Formula resulted in a value of +/- infinity. Skipping value update for [" + vf.getPath2("/", false) + "]."; throw udm_exception (message); } else { myVURep.actualValue = evaluatedValue; myVURep.siValue = myVURep.actualValue; m_convertedValueFlowTargets_SIMap[vf.uniqueId()] = myVURep; } } else return 0; } return 1; } void NewTraverser::PrintNodes(set<CyPhyML::ValueFlowTarget>& leafNodes, string type) { GMEConsole::Console::writeLine("DEBUG: PrintNodes of type: " + type, MSG_INFO); for (set<CyPhyML::ValueFlowTarget>::const_iterator ci = leafNodes.begin(); ci != leafNodes.end(); ci++) { GMEConsole::Console::writeLine(GMEConsole::Formatter::MakeObjectHyperlink(UdmGme::UdmId2GmeId(ci->uniqueId()), *ci), MSG_INFO); } } void NewTraverser::EvaluateCarParameters() { for (set<CyPhyML::CarParameter>::const_iterator ci = m_carParameters.begin(); ci != m_carParameters.end(); ci++) { set<CyPhyML::CarParameterPortMap> portMap_Set = ci->srcCarParameterPortMap(); if (!portMap_Set.empty()) { UnitUtil::ValueUnitRep myVURep; UnitUtil::ValueUnitRep incomingVURep; CyPhyML::ParamPropTarget unitRef = ci->ref(); bool nullUnitRef = (unitRef == Udm::null); if (!nullUnitRef && IsDerivedFrom(unitRef.type(), CyPhyML::unit::meta)) // TODO: 12/20/11 Auto-assigning unit //if (IsDerivedFrom(unitRef.type(), CyPhyML::unit::meta)) { // only CyPhyML::unit is supported right now myVURep.cyphyRef = CyPhyML::unit::Cast(unitRef); unitUtil.ConvertToSIEquivalent(CyPhyML::unit::Cast(unitRef), 1, myVURep.unitRep); } if (portMap_Set.size() > 1) { throwOverspecified(*ci, "portMap"); } double value = 0; CyPhyML::ValueFlowTarget vft = portMap_Set.begin()->srcCarParameterPortMap_end(); if ( IsDerivedFrom(vft.type(), CyPhyML::HasDescriptionAndGUID::meta) || IsDerivedFrom(vft.type(), CyPhyML::Constant::meta)) { EvaluatePPC(vft, incomingVURep); } else { string message = "FormulaEvaluator: CarParameter can not be directly connected to a formula [" + ci->getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } if (nullUnitRef) { // The unit ref of the ModelicaParameter is null. // What we will do is find the unit of the source ValueFlowTarget, // and set the unit ref to that, and also use the "actual value" as a value to match. if (incomingVURep.cyphyRef != Udm::null) { if (CyPhyML::CarParameter::Cast(ci->Archetype()) != Udm::null) CyPhyML::CarParameter::Cast(ci->Archetype()).ref() = incomingVURep.cyphyRef; else ci->ref() = incomingVURep.cyphyRef; } string tmp; if (incomingVURep.type == UnitUtil::ValueUnitRep::STRING) { tmp = incomingVURep.strValue; } else { to_string(tmp, incomingVURep.actualValue); } ci->Value() = NonRealValueFixture(vft,tmp); } else { if (incomingVURep.cyphyRef == Udm::null) { string message ="FormulaEvaluator - CarParameter that references a unit must be connected to a value flow target that references a unit [" + ci->getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } if (myVURep.unitRep == incomingVURep.unitRep) { string tmp; to_string(tmp, unitUtil.ConvertFromSIEquivalent(myVURep.cyphyRef, incomingVURep.siValue)); ci->Value() = NonRealValueFixture(vft,tmp); } else { string message = "FormulaEvaluator - CarParameter's unit is incompatible with incoming value flow target's unit [" + ci->getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } } } } } // 7-3-2012: CADParameter inside CADModel instead of Component void NewTraverser::EvaluateCADParameters() { for (set<CyPhyML::CADParameter>::const_iterator ci = m_cadParameters.begin(); ci != m_cadParameters.end(); ci++) { set<CyPhyML::CADParameterPortMap> portMap_Set = ci->srcCADParameterPortMap(); if (!portMap_Set.empty()) { if (portMap_Set.size() > 1) { throwOverspecified(*ci, "portMap"); } CyPhyML::ValueFlowTarget vft = portMap_Set.begin()->srcCADParameterPortMap_end(); std::string sourceName = vft.name(); UnitUtil::ValueUnitRep incomingVURep; // incoming vft did not have another vft (vft --> cad parameter) if (IsDerivedFrom(vft.type(), CyPhyML::ValueFormula::meta)) { EvaluateFormula(CyPhyML::ValueFormula::Cast(vft), incomingVURep); double tmpval = incomingVURep.siValue; } else if ( IsDerivedFrom(vft.type(), CyPhyML::HasDescriptionAndGUID::meta) || IsDerivedFrom(vft.type(), CyPhyML::Constant::meta)) { EvaluatePPC(vft, incomingVURep); } std::string tmp; string unit_name = ci->Unit(); CyPhyML::unit cyphy_unit; if (unit_name == "") { // Try to get unit from reference if (ci->getReferencedObject() != Udm::null) { cyphy_unit = CyPhyML::unit::Cast(ci->getReferencedObject()); } } // if unit is not specified, assume mm kg s deg (mmKs) if (cyphy_unit == Udm::null && unit_name == "") { auto lengthRep = UnitUtil::DimensionRep::zeroes; lengthRep.length = 1; if (incomingVURep.unitRep == lengthRep) { unit_name = "mm"; } auto massRep = UnitUtil::DimensionRep::zeroes; massRep.mass = 1; if (incomingVURep.unitRep == massRep) { unit_name = "kg"; } auto timeRep = UnitUtil::DimensionRep::zeroes; timeRep.time = 1; if (incomingVURep.unitRep == timeRep) { unit_name = "s"; } auto angleRep = UnitUtil::DimensionRep::zeroes; angleRep.angle = 1; if (incomingVURep.unitRep == angleRep) { unit_name = "deg"; } ci->Unit() = unit_name; } if (cyphy_unit == Udm::null && unit_name != "") { cyphy_unit = FindUnitByName(unit_name); if (cyphy_unit == Udm::null) { string message = "FormulaEvaluator - Can not find a unit with name (" + unit_name + ") to do unit conversion for CADParameter [" + ci->getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception (message); } } if (incomingVURep.type == UnitUtil::ValueUnitRep::STRING) { tmp = incomingVURep.strValue; } else { if (cyphy_unit != Udm::null) { to_string(tmp, unitUtil.ConvertFromSIEquivalent(cyphy_unit, incomingVURep.siValue)); } else { to_string(tmp, incomingVURep.actualValue); } } ci->Value() = NonRealValueFixture(vft,tmp); } } } void NewTraverser::EvaluateManufactureParameters() { for (set<CyPhyML::ManufacturingModelParameter>::const_iterator ci = m_manufactureParameters.begin(); ci != m_manufactureParameters.end(); ci++) { set<CyPhyML::ManufacturingParameterPortMap> portMap_Set = ci->srcManufacturingParameterPortMap(); if (!portMap_Set.empty()) { UnitUtil::ValueUnitRep myVURep, incomingVURep; CyPhyML::ParamPropTarget unitRef = ci->ref(); bool nullUnitRef = (unitRef == Udm::null); if (!nullUnitRef && IsDerivedFrom(unitRef.type(), CyPhyML::unit::meta)) // TODO: 12/20/11 Auto-assigning unit //if (IsDerivedFrom(unitRef.type(), CyPhyML::unit::meta)) { // only CyPhyML::unit is supported right now myVURep.cyphyRef = CyPhyML::unit::Cast(unitRef); unitUtil.ConvertToSIEquivalent(CyPhyML::unit::Cast(unitRef), 1, myVURep.unitRep); } if (portMap_Set.size() > 1) { throwOverspecified(*ci, "portMap"); } double value = 0; CyPhyML::ValueFlowTarget vft = portMap_Set.begin()->srcManufacturingParameterPortMap_end(); if ( IsDerivedFrom(vft.type(), CyPhyML::HasDescriptionAndGUID::meta) || IsDerivedFrom(vft.type(), CyPhyML::Constant::meta)) { EvaluatePPC(vft, incomingVURep); } else { string message = "FormualEvaluator: ManufactureParameter can not be directly connected to a formula [" + ci->getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } if (nullUnitRef) { string tmp; if (incomingVURep.type == UnitUtil::ValueUnitRep::STRING) { tmp = incomingVURep.strValue; } else { to_string(tmp, incomingVURep.actualValue); } ci->Value() = tmp; if (incomingVURep.cyphyRef != Udm::null) { CyPhyML::ManufacturingModelParameter(ci->Archetype()).ref() = incomingVURep.cyphyRef; // ZL: change unit in the base type in order to support instances and subtypes } } else { if (incomingVURep.cyphyRef == Udm::null) { string message ="FormulaEvaluator - ManufactureParameter that references a unit must be connected to a value flow target that references a unit [" + ci->getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } if (myVURep.unitRep == incomingVURep.unitRep) { string tmp; to_string(tmp, unitUtil.ConvertFromSIEquivalent(myVURep.cyphyRef, incomingVURep.siValue)); ci->Value() = tmp; ci->Value() = NonRealValueFixture(vft,tmp); } else { string message = "FormulaEvaluator - ManufactureParameter's unit is incompatible with incoming value flow target's unit [" + ci->getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } } } } } // ZL 11/20/2013 support modelica parameters as value flow targets void NewTraverser::EvaluateModelicaParameters() { // TODO: Implement this method for (set<CyPhyML::ModelicaParameter>::const_iterator ci = m_modelicaParameters.begin(); ci != m_modelicaParameters.end(); ci++) { set<CyPhyML::ModelicaParameterPortMap> portMap_Set = ci->srcModelicaParameterPortMap(); if (!portMap_Set.empty()) { UnitUtil::ValueUnitRep myVURep; UnitUtil::ValueUnitRep incomingVURep; CyPhyML::ParamPropTarget unitRef = ci->ref(); bool nullUnitRef = (unitRef == Udm::null); if (!nullUnitRef && IsDerivedFrom(unitRef.type(), CyPhyML::unit::meta)) // TODO: 12/20/11 Auto-assigning unit //if (IsDerivedFrom(unitRef.type(), CyPhyML::unit::meta)) { // only CyPhyML::unit is supported right now myVURep.cyphyRef = CyPhyML::unit::Cast(unitRef); unitUtil.ConvertToSIEquivalent(CyPhyML::unit::Cast(unitRef), 1, myVURep.unitRep); } if (portMap_Set.size() > 1) { throwOverspecified(*ci, "portMap"); } double value = 0; CyPhyML::ValueFlowTarget vft = portMap_Set.begin()->srcModelicaParameterPortMap_end(); if ( IsDerivedFrom(vft.type(), CyPhyML::HasDescriptionAndGUID::meta) || IsDerivedFrom(vft.type(), CyPhyML::Constant::meta)) { EvaluatePPC(vft, incomingVURep); } else { string message = "FormulaEvaluator: ModelicaParameter can not be directly connected to a formula [" + ci->getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } if (nullUnitRef) { // The unit ref of the ModelicaParameter is null. // What we will do is find the unit of the source ValueFlowTarget, // and set the unit ref to that, and also use the "actual value" as a value to match. if (incomingVURep.cyphyRef != Udm::null) { if (CyPhyML::ModelicaParameter::Cast(ci->Archetype()) != Udm::null) CyPhyML::ModelicaParameter::Cast(ci->Archetype()).ref() = incomingVURep.cyphyRef; else ci->ref() = incomingVURep.cyphyRef; } string tmp; if (incomingVURep.type == UnitUtil::ValueUnitRep::STRING) { tmp = incomingVURep.strValue; } else { to_string(tmp, incomingVURep.actualValue); } ci->Value() = NonRealValueFixture(vft,tmp); } else { if (incomingVURep.cyphyRef == Udm::null) { string message ="FormulaEvaluator - ModelicaParameter that references a unit must be connected to a value flow target that references a unit [" + ci->getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } if (myVURep.unitRep == incomingVURep.unitRep) { string tmp; to_string(tmp, unitUtil.ConvertFromSIEquivalent(myVURep.cyphyRef, incomingVURep.siValue)); ci->Value() = NonRealValueFixture(vft,tmp); } else { string message = "FormulaEvaluator - ModelicaParameter's unit is incompatible with incoming value flow target's unit [" + ci->getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } } } } } CyPhyML::unit NewTraverser::FindUnitByName(string unit_name_in) { CyPhyML::unit cyphy_unit; unordered_map<string, CyPhyML::unit>::iterator i = m_unit_name_table.find(unit_name_in); if (i != m_unit_name_table.end()) { cyphy_unit = i->second; //m_unit_name_table[unit_name_in] = cyphy_unit; } else { bool found = false; for (set<CyPhyML::Units>::const_iterator ci = m_units_folders.begin(); ci != m_units_folders.end(); ci++) { set<CyPhyML::unit> unit_set = ci->unit_kind_children(); for (set<CyPhyML::unit>::const_iterator di = unit_set.begin(); di != unit_set.end(); di++) { if ((string)di->Symbol() == unit_name_in) { cyphy_unit = *di; m_unit_name_table[unit_name_in] = cyphy_unit; found = true; break; } } if (found) break; } } return cyphy_unit; } void NewTraverser::FindUnitsFolders(const Udm::Object &udm_obj_in) { // [1] Find Top most RootFolder // [2] Traverse Top most RF to find all Units folder in the model CyPhyML::RootFolder top_rf = FindTopRootFolder(udm_obj_in); if (top_rf == Udm::null) { string message = "FormulaEvaluator - Can not find top level units folder, something is wrong [" + udm_obj_in.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } string top_rf_name = top_rf.name(); FindUnitsFolders(top_rf); for (set<CyPhyML::Units>::const_iterator ci = m_units_folders.begin(); ci != m_units_folders.end(); ci++) string units_folder_name = ci->name(); } void NewTraverser::FindUnitsFolders(const CyPhyML::RootFolder &root_folder_in) { set<CyPhyML::TypeSpecifications> ts_set = root_folder_in.TypeSpecifications_kind_children(); for (set<CyPhyML::TypeSpecifications>::const_iterator ci = ts_set.begin(); ci != ts_set.end(); ci++) { set<CyPhyML::Units> units_folder = ci->Units_kind_children(); m_units_folders.insert(units_folder.begin(), units_folder.end()); } set<CyPhyML::RootFolder> rf_set = root_folder_in.RootFolder_kind_children(); for (set<CyPhyML::RootFolder>::const_iterator ci = rf_set.begin(); ci != rf_set.end(); ci++) { FindUnitsFolders(*ci); } } CyPhyML::RootFolder NewTraverser::FindTopRootFolder(const Udm::Object &udm_obj_in) { CyPhyML::RootFolder top_rf; Udm::Object my_parent = udm_obj_in.GetParent(); if ((string)my_parent.type().name() != "RootFolder") top_rf = FindTopRootFolder(my_parent); else { CyPhyML::RootFolder my_parent_rf = CyPhyML::RootFolder::Cast(my_parent); string my_parent_rf_name = my_parent_rf.name(); Udm::Object my_parent_parent = my_parent_rf.GetParent(); if (my_parent_parent == Udm::null) top_rf = my_parent_rf; else top_rf = FindTopRootFolder(my_parent_parent); } return top_rf; } // 2-20-2013: Test Bench Suite void NewTraverser::EvaluateTestBenchSuite(CyPhyML::TestBenchSuite &suite) { string tmp; set<CyPhyML::ValueFlow> conn_set = suite.ValueFlow_kind_children(); for (set<CyPhyML::ValueFlow>::const_iterator ci = conn_set.begin(); ci != conn_set.end(); ci++) { CyPhyML::ValueFlow vf_conn = *ci; CyPhyML::ValueFlowTarget src_vft = vf_conn.srcValueFlow_end(); CyPhyML::ValueFlowTarget dst_vft = vf_conn.dstValueFlow_end(); if (src_vft != Udm::null && dst_vft != Udm::null) { Uml::Class src_vftype = src_vft.type(), dst_vftype = dst_vft.type(); if (!IsDerivedFrom(src_vftype, CyPhyML::HasDescriptionAndGUID::meta) || !IsDerivedFrom(dst_vftype, CyPhyML::HasDescriptionAndGUID::meta)) { GMEConsole::Console::writeLine("Formulas are not supported for SOT value flow evaluation [SRC=>" + src_vft.getPath2("/", false) + ", DST=>" + dst_vft.getPath2("/", false) + "]", MSG_WARNING); continue; } UnitUtil::ValueUnitRep src_vurep, dst_vurep; if (GetVftUnitAndValue(src_vft, src_vurep) != "") { GetVftUnitAndValue(dst_vft, dst_vurep); if (src_vurep.unitRep == dst_vurep.unitRep) // assign { to_string(tmp, src_vurep.siValue); dst_vurep.siValue = src_vurep.siValue; //GMEConsole::Console::writeLine((string)src_vft.name() + ": " + tmp, MSG_INFO); dst_vurep.actualValue = unitUtil.ConvertFromSIEquivalent(dst_vurep.cyphyRef, src_vurep.siValue); UpdateNamedElementValue(dst_vft, dst_vurep.actualValue); } else { if (dst_vurep.cyphyRef == Udm::null) // auto-assign unit { dst_vurep.siValue = src_vurep.siValue; dst_vurep.cyphyRef = src_vurep.cyphyRef; dst_vurep.unitRep = src_vurep.unitRep; dst_vurep.actualValue = unitUtil.ConvertFromSIEquivalent(dst_vurep.cyphyRef, dst_vurep.siValue); UpdateNamedElementValue(dst_vft, dst_vurep.cyphyRef, dst_vurep.actualValue); // TODO: 12/20/11 Auto-assigning unit } else // really not compatible { string message = "FormulaEvaluator - Unit mismatch in SOT Valueflow [SRC=>" + src_vft.getPath2("/", false) + ", DST=>" + dst_vft.getPath2("/", false) + "]"; GMEConsole::Console::writeLine(message, MSG_ERROR); throw udm_exception(message); } } } } } } string NewTraverser::GetVftUnitAndValue(const CyPhyML::ValueFlowTarget& vft, UnitUtil::ValueUnitRep& vurep) { string tmp; string val = ""; CyPhyML::ParamPropTarget unitRef; // get vf's unitReference CyPhyML::unit myUnit; Uml::Class vft_type = vft.type(); if (vft_type == CyPhyML::Parameter::meta) { CyPhyML::Parameter tmp = CyPhyML::Parameter::Cast(vft); val = tmp.Value(); unitRef = tmp.ref(); } else if (vft_type == CyPhyML::Property::meta) { CyPhyML::Property tmp = CyPhyML::Property::Cast(vft); val = tmp.Value(); unitRef = tmp.ref(); } else if (vft_type == CyPhyML::Metric::meta) { CyPhyML::Metric tmp = CyPhyML::Metric::Cast(vft); val = tmp.Value(); unitRef = tmp.ref(); // Metrics that are connected to CADComputation/Mass are in Kilograms META-2756 if (unitRef == Udm::null) { std::set<CyPhyML::CADComputation2Metric> srcMetrics = tmp.srcCADComputation2Metric(); for (auto it = srcMetrics.begin(); it != srcMetrics.end(); it++) { if (Uml::IsDerivedFrom(static_cast<CyPhyML::CADComputationType>(it->srcCADComputation2Metric_end()).type(), CyPhyML::Mass::meta)) { vurep.actualValue = vurep.siValue = std::atof(val.c_str()); vurep.unitRep = UnitUtil::DimensionRep::zeroes; vurep.unitRep.mass = 1; vurep.cyphyRef = CyPhyML::unit::Cast(Udm::null); return val; } } } } else if (vft_type == CyPhyML::Constant::meta) { CyPhyML::Constant tmp = CyPhyML::Constant::Cast(vft); // convert double to string char buf[30]; sprintf_s(buf, "%.17g", static_cast<double>(tmp.ConstantValue())); val = buf; } else if (vft_type == CyPhyML::ValueFlowTypeSpecification::meta) { CyPhyML::ValueFlowTypeSpecification tmp = CyPhyML::ValueFlowTypeSpecification::Cast(vft); val = "0"; unitRef = tmp.ref(); } if (unitRef != Udm::null) { if (IsDerivedFrom(unitRef.type(), CyPhyML::unit::meta)) myUnit = CyPhyML::unit::Cast(unitRef); } vurep.cyphyRef = myUnit; if (val == "") unitUtil.ConvertToSIEquivalent(myUnit, 1, vurep.unitRep); else vurep.siValue = unitUtil.ConvertToSIEquivalent(myUnit, std::atof(val.c_str()), vurep.unitRep); return val; } std::string NewTraverser::NonRealValueFixture( CyPhyML::ValueFlowTarget &vft, std::string &value ) { std::string rtn = value; // Test for non real value fixture std::string strValue = ""; if (vft.type() == CyPhyML::Property::meta) { auto prop = CyPhyML::Property::Cast(vft); strValue = prop.Value(); } else if (vft.type() == CyPhyML::Parameter::meta) { auto parameter = CyPhyML::Parameter::Cast(vft); strValue = parameter.Value(); } else if (vft.type() == CyPhyML::Constant::meta) { auto tmp = CyPhyML::Constant::Cast(vft); // convert double to string char buf[30]; sprintf_s(buf, "%.17g", static_cast<double>(tmp.ConstantValue())); strValue = buf; } if (strValue != "") { double dValue = std::atof(strValue.c_str()); if (dValue == 0) { // could be matrix or vector string numberAsString = ""; to_string(numberAsString, dValue); if (strcmp(numberAsString.c_str(), strValue.c_str()) == 0) { // strings are equal, i.e. the 0 value was parsed correctly } else { // it is not a double therefore leave it as it is. rtn = strValue; } } } return rtn; } std::wstring wstringFromUTF8(const std::string& utf8) { if (utf8.empty()) return std::wstring(); // Fail if an invalid input character is encountered const DWORD conversionFlags = MB_ERR_INVALID_CHARS; const int utf16Length = ::MultiByteToWideChar(CP_UTF8, conversionFlags, utf8.data(), utf8.length(), NULL, 0); if (utf16Length == 0) { DWORD error = ::GetLastError(); throw udm_exception( (error == ERROR_NO_UNICODE_TRANSLATION) ? "Invalid UTF-8 sequence found in input string." : "Can't get length of UTF-16 string (MultiByteToWideChar failed)."); } std::unique_ptr<wchar_t[]> utf16(new wchar_t[utf16Length]); if (utf16 == NULL) throw std::bad_alloc(); if (!::MultiByteToWideChar(CP_UTF8, 0, utf8.data(), utf8.length(), utf16.get(), utf16Length)) { DWORD error = ::GetLastError(); throw udm_exception("Can't convert string from UTF-8 to UTF-16 (MultiByteToWideChar failed)."); } return std::wstring(utf16.get(), utf16.get() + utf16Length); } std::wstring wstringFromUTF8(const Udm::StringAttr& attr) { return wstringFromUTF8(static_cast<const std::string>(attr)); }
[ "kevin.m.smyth@gmail.com" ]
kevin.m.smyth@gmail.com
50c9ba11af7e1f4f4f01043d35ac5bb8a46afddf
daabfcfe237456b3eefb044f1a9cc7806c8a9c6e
/AllegroAnimationSample/sprite_sheet.cpp
b6210c6851d9ca098a036f63620e6f47b643dd75
[ "Apache-2.0" ]
permissive
ProFL/AllegroSampleAnimation
6b2429a03822290eba7542b378af2bc4d1c5e8e7
8e81946a57052f6e03f3655fd6ccf71dff9a7cde
refs/heads/master
2020-03-25T22:26:10.864422
2018-08-10T01:55:44
2018-08-10T01:55:44
144,223,056
0
0
null
null
null
null
UTF-8
C++
false
false
1,046
cpp
#include <allegro5/allegro.h> #include <string> #include "sprite_sheet.hpp" using std::string; sprite_sheet::sprite_sheet(const char* _sprite_path, const int _starting_x, const int _starting_y, const int _sprite_width, const int _sprite_height, const uint16_t _spr_count) : draw_flags(0), spr_count(_spr_count) { const auto bmp_path_ = string(al_path_cstr(al_get_standard_path(ALLEGRO_RESOURCES_PATH), ALLEGRO_NATIVE_PATH_SEP)) + _sprite_path; const auto bmp_path_cstr_ = bmp_path_.c_str(); bitmap = al_load_bitmap(bmp_path_cstr_); pos.x = 0; pos.y = 0; src_pos.x = _starting_x; src_pos.y = _starting_y; spr_dim.x = _sprite_width; spr_dim.y = _sprite_height; } void sprite_sheet::draw(const int _ui_scale) const { const auto bmp_width_ = al_get_bitmap_width(bitmap); const auto bmp_height_ = al_get_bitmap_height(bitmap); al_draw_scaled_bitmap(bitmap, src_pos.x, src_pos.y, spr_dim.x, spr_dim.y, pos.x, pos.y, _ui_scale * bmp_width_, _ui_scale * bmp_height_, 0); } sprite_sheet::~sprite_sheet() { al_destroy_bitmap(bitmap); }
[ "pedroflinhares@edu.unifor.br" ]
pedroflinhares@edu.unifor.br
a5539f3b8d67b055bd55eab7fdb6f95a82ece357
6a67224e043dca98e2db03c0c8278a66de001704
/pocl/include/clang/AST/DeclBase.h
da8b25b497b07585db9600a3e344efa96c411bb5
[ "MIT" ]
permissive
yehudahs/OpenCL-Getting-Started
10ca8bcb34702e59e0c80d1eb9da2f2703a182f0
9358e86da9fb4787d837594bc4322ab8c5a9a98d
refs/heads/master
2022-11-30T23:18:33.234924
2020-08-06T11:42:02
2020-08-06T11:42:02
283,149,087
0
0
NOASSERTION
2020-07-28T08:25:21
2020-07-28T08:25:20
null
UTF-8
C++
false
false
94,506
h
//===- DeclBase.h - Base Classes for representing declarations --*- C++ -*-===// // // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. // See https://llvm.org/LICENSE.txt for license information. // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception // //===----------------------------------------------------------------------===// // // This file defines the Decl and DeclContext interfaces. // //===----------------------------------------------------------------------===// #ifndef LLVM_CLANG_AST_DECLBASE_H #define LLVM_CLANG_AST_DECLBASE_H #include "clang/AST/ASTDumperUtils.h" #include "clang/AST/AttrIterator.h" #include "clang/AST/DeclarationName.h" #include "clang/Basic/IdentifierTable.h" #include "clang/Basic/LLVM.h" #include "clang/Basic/SourceLocation.h" #include "clang/Basic/Specifiers.h" #include "llvm/ADT/ArrayRef.h" #include "llvm/ADT/PointerIntPair.h" #include "llvm/ADT/PointerUnion.h" #include "llvm/ADT/iterator.h" #include "llvm/ADT/iterator_range.h" #include "llvm/Support/Casting.h" #include "llvm/Support/Compiler.h" #include "llvm/Support/PrettyStackTrace.h" #include "llvm/Support/VersionTuple.h" #include <algorithm> #include <cassert> #include <cstddef> #include <iterator> #include <string> #include <type_traits> #include <utility> namespace clang { class ASTContext; class ASTMutationListener; class Attr; class BlockDecl; class DeclContext; class ExternalSourceSymbolAttr; class FunctionDecl; class FunctionType; class IdentifierInfo; enum Linkage : unsigned char; class LinkageSpecDecl; class Module; class NamedDecl; class ObjCCategoryDecl; class ObjCCategoryImplDecl; class ObjCContainerDecl; class ObjCImplDecl; class ObjCImplementationDecl; class ObjCInterfaceDecl; class ObjCMethodDecl; class ObjCProtocolDecl; struct PrintingPolicy; class RecordDecl; class SourceManager; class Stmt; class StoredDeclsMap; class TemplateDecl; class TranslationUnitDecl; class UsingDirectiveDecl; /// Captures the result of checking the availability of a /// declaration. enum AvailabilityResult { AR_Available = 0, AR_NotYetIntroduced, AR_Deprecated, AR_Unavailable }; /// Decl - This represents one declaration (or definition), e.g. a variable, /// typedef, function, struct, etc. /// /// Note: There are objects tacked on before the *beginning* of Decl /// (and its subclasses) in its Decl::operator new(). Proper alignment /// of all subclasses (not requiring more than the alignment of Decl) is /// asserted in DeclBase.cpp. class alignas(8) Decl { public: /// Lists the kind of concrete classes of Decl. enum Kind { #define DECL(DERIVED, BASE) DERIVED, #define ABSTRACT_DECL(DECL) #define DECL_RANGE(BASE, START, END) \ first##BASE = START, last##BASE = END, #define LAST_DECL_RANGE(BASE, START, END) \ first##BASE = START, last##BASE = END #include "clang/AST/DeclNodes.inc" }; /// A placeholder type used to construct an empty shell of a /// decl-derived type that will be filled in later (e.g., by some /// deserialization method). struct EmptyShell {}; /// IdentifierNamespace - The different namespaces in which /// declarations may appear. According to C99 6.2.3, there are /// four namespaces, labels, tags, members and ordinary /// identifiers. C++ describes lookup completely differently: /// certain lookups merely "ignore" certain kinds of declarations, /// usually based on whether the declaration is of a type, etc. /// /// These are meant as bitmasks, so that searches in /// C++ can look into the "tag" namespace during ordinary lookup. /// /// Decl currently provides 15 bits of IDNS bits. enum IdentifierNamespace { /// Labels, declared with 'x:' and referenced with 'goto x'. IDNS_Label = 0x0001, /// Tags, declared with 'struct foo;' and referenced with /// 'struct foo'. All tags are also types. This is what /// elaborated-type-specifiers look for in C. /// This also contains names that conflict with tags in the /// same scope but that are otherwise ordinary names (non-type /// template parameters and indirect field declarations). IDNS_Tag = 0x0002, /// Types, declared with 'struct foo', typedefs, etc. /// This is what elaborated-type-specifiers look for in C++, /// but note that it's ill-formed to find a non-tag. IDNS_Type = 0x0004, /// Members, declared with object declarations within tag /// definitions. In C, these can only be found by "qualified" /// lookup in member expressions. In C++, they're found by /// normal lookup. IDNS_Member = 0x0008, /// Namespaces, declared with 'namespace foo {}'. /// Lookup for nested-name-specifiers find these. IDNS_Namespace = 0x0010, /// Ordinary names. In C, everything that's not a label, tag, /// member, or function-local extern ends up here. IDNS_Ordinary = 0x0020, /// Objective C \@protocol. IDNS_ObjCProtocol = 0x0040, /// This declaration is a friend function. A friend function /// declaration is always in this namespace but may also be in /// IDNS_Ordinary if it was previously declared. IDNS_OrdinaryFriend = 0x0080, /// This declaration is a friend class. A friend class /// declaration is always in this namespace but may also be in /// IDNS_Tag|IDNS_Type if it was previously declared. IDNS_TagFriend = 0x0100, /// This declaration is a using declaration. A using declaration /// *introduces* a number of other declarations into the current /// scope, and those declarations use the IDNS of their targets, /// but the actual using declarations go in this namespace. IDNS_Using = 0x0200, /// This declaration is a C++ operator declared in a non-class /// context. All such operators are also in IDNS_Ordinary. /// C++ lexical operator lookup looks for these. IDNS_NonMemberOperator = 0x0400, /// This declaration is a function-local extern declaration of a /// variable or function. This may also be IDNS_Ordinary if it /// has been declared outside any function. These act mostly like /// invisible friend declarations, but are also visible to unqualified /// lookup within the scope of the declaring function. IDNS_LocalExtern = 0x0800, /// This declaration is an OpenMP user defined reduction construction. IDNS_OMPReduction = 0x1000, /// This declaration is an OpenMP user defined mapper. IDNS_OMPMapper = 0x2000, }; /// ObjCDeclQualifier - 'Qualifiers' written next to the return and /// parameter types in method declarations. Other than remembering /// them and mangling them into the method's signature string, these /// are ignored by the compiler; they are consumed by certain /// remote-messaging frameworks. /// /// in, inout, and out are mutually exclusive and apply only to /// method parameters. bycopy and byref are mutually exclusive and /// apply only to method parameters (?). oneway applies only to /// results. All of these expect their corresponding parameter to /// have a particular type. None of this is currently enforced by /// clang. /// /// This should be kept in sync with ObjCDeclSpec::ObjCDeclQualifier. enum ObjCDeclQualifier { OBJC_TQ_None = 0x0, OBJC_TQ_In = 0x1, OBJC_TQ_Inout = 0x2, OBJC_TQ_Out = 0x4, OBJC_TQ_Bycopy = 0x8, OBJC_TQ_Byref = 0x10, OBJC_TQ_Oneway = 0x20, /// The nullability qualifier is set when the nullability of the /// result or parameter was expressed via a context-sensitive /// keyword. OBJC_TQ_CSNullability = 0x40 }; /// The kind of ownership a declaration has, for visibility purposes. /// This enumeration is designed such that higher values represent higher /// levels of name hiding. enum class ModuleOwnershipKind : unsigned { /// This declaration is not owned by a module. Unowned, /// This declaration has an owning module, but is globally visible /// (typically because its owning module is visible and we know that /// modules cannot later become hidden in this compilation). /// After serialization and deserialization, this will be converted /// to VisibleWhenImported. Visible, /// This declaration has an owning module, and is visible when that /// module is imported. VisibleWhenImported, /// This declaration has an owning module, but is only visible to /// lookups that occur within that module. ModulePrivate }; protected: /// The next declaration within the same lexical /// DeclContext. These pointers form the linked list that is /// traversed via DeclContext's decls_begin()/decls_end(). /// /// The extra two bits are used for the ModuleOwnershipKind. llvm::PointerIntPair<Decl *, 2, ModuleOwnershipKind> NextInContextAndBits; private: friend class DeclContext; struct MultipleDC { DeclContext *SemanticDC; DeclContext *LexicalDC; }; /// DeclCtx - Holds either a DeclContext* or a MultipleDC*. /// For declarations that don't contain C++ scope specifiers, it contains /// the DeclContext where the Decl was declared. /// For declarations with C++ scope specifiers, it contains a MultipleDC* /// with the context where it semantically belongs (SemanticDC) and the /// context where it was lexically declared (LexicalDC). /// e.g.: /// /// namespace A { /// void f(); // SemanticDC == LexicalDC == 'namespace A' /// } /// void A::f(); // SemanticDC == namespace 'A' /// // LexicalDC == global namespace llvm::PointerUnion<DeclContext*, MultipleDC*> DeclCtx; bool isInSemaDC() const { return DeclCtx.is<DeclContext*>(); } bool isOutOfSemaDC() const { return DeclCtx.is<MultipleDC*>(); } MultipleDC *getMultipleDC() const { return DeclCtx.get<MultipleDC*>(); } DeclContext *getSemanticDC() const { return DeclCtx.get<DeclContext*>(); } /// Loc - The location of this decl. SourceLocation Loc; /// DeclKind - This indicates which class this is. unsigned DeclKind : 7; /// InvalidDecl - This indicates a semantic error occurred. unsigned InvalidDecl : 1; /// HasAttrs - This indicates whether the decl has attributes or not. unsigned HasAttrs : 1; /// Implicit - Whether this declaration was implicitly generated by /// the implementation rather than explicitly written by the user. unsigned Implicit : 1; /// Whether this declaration was "used", meaning that a definition is /// required. unsigned Used : 1; /// Whether this declaration was "referenced". /// The difference with 'Used' is whether the reference appears in a /// evaluated context or not, e.g. functions used in uninstantiated templates /// are regarded as "referenced" but not "used". unsigned Referenced : 1; /// Whether this declaration is a top-level declaration (function, /// global variable, etc.) that is lexically inside an objc container /// definition. unsigned TopLevelDeclInObjCContainer : 1; /// Whether statistic collection is enabled. static bool StatisticsEnabled; protected: friend class ASTDeclReader; friend class ASTDeclWriter; friend class ASTNodeImporter; friend class ASTReader; friend class CXXClassMemberWrapper; friend class LinkageComputer; template<typename decl_type> friend class Redeclarable; /// Access - Used by C++ decls for the access specifier. // NOTE: VC++ treats enums as signed, avoid using the AccessSpecifier enum unsigned Access : 2; /// Whether this declaration was loaded from an AST file. unsigned FromASTFile : 1; /// IdentifierNamespace - This specifies what IDNS_* namespace this lives in. unsigned IdentifierNamespace : 14; /// If 0, we have not computed the linkage of this declaration. /// Otherwise, it is the linkage + 1. mutable unsigned CacheValidAndLinkage : 3; /// Allocate memory for a deserialized declaration. /// /// This routine must be used to allocate memory for any declaration that is /// deserialized from a module file. /// /// \param Size The size of the allocated object. /// \param Ctx The context in which we will allocate memory. /// \param ID The global ID of the deserialized declaration. /// \param Extra The amount of extra space to allocate after the object. void *operator new(std::size_t Size, const ASTContext &Ctx, unsigned ID, std::size_t Extra = 0); /// Allocate memory for a non-deserialized declaration. void *operator new(std::size_t Size, const ASTContext &Ctx, DeclContext *Parent, std::size_t Extra = 0); private: bool AccessDeclContextSanity() const; /// Get the module ownership kind to use for a local lexical child of \p DC, /// which may be either a local or (rarely) an imported declaration. static ModuleOwnershipKind getModuleOwnershipKindForChildOf(DeclContext *DC) { if (DC) { auto *D = cast<Decl>(DC); auto MOK = D->getModuleOwnershipKind(); if (MOK != ModuleOwnershipKind::Unowned && (!D->isFromASTFile() || D->hasLocalOwningModuleStorage())) return MOK; // If D is not local and we have no local module storage, then we don't // need to track module ownership at all. } return ModuleOwnershipKind::Unowned; } public: Decl() = delete; Decl(const Decl&) = delete; Decl(Decl &&) = delete; Decl &operator=(const Decl&) = delete; Decl &operator=(Decl&&) = delete; protected: Decl(Kind DK, DeclContext *DC, SourceLocation L) : NextInContextAndBits(nullptr, getModuleOwnershipKindForChildOf(DC)), DeclCtx(DC), Loc(L), DeclKind(DK), InvalidDecl(false), HasAttrs(false), Implicit(false), Used(false), Referenced(false), TopLevelDeclInObjCContainer(false), Access(AS_none), FromASTFile(0), IdentifierNamespace(getIdentifierNamespaceForKind(DK)), CacheValidAndLinkage(0) { if (StatisticsEnabled) add(DK); } Decl(Kind DK, EmptyShell Empty) : DeclKind(DK), InvalidDecl(false), HasAttrs(false), Implicit(false), Used(false), Referenced(false), TopLevelDeclInObjCContainer(false), Access(AS_none), FromASTFile(0), IdentifierNamespace(getIdentifierNamespaceForKind(DK)), CacheValidAndLinkage(0) { if (StatisticsEnabled) add(DK); } virtual ~Decl(); /// Update a potentially out-of-date declaration. void updateOutOfDate(IdentifierInfo &II) const; Linkage getCachedLinkage() const { return Linkage(CacheValidAndLinkage - 1); } void setCachedLinkage(Linkage L) const { CacheValidAndLinkage = L + 1; } bool hasCachedLinkage() const { return CacheValidAndLinkage; } public: /// Source range that this declaration covers. virtual SourceRange getSourceRange() const LLVM_READONLY { return SourceRange(getLocation(), getLocation()); } SourceLocation getBeginLoc() const LLVM_READONLY { return getSourceRange().getBegin(); } SourceLocation getEndLoc() const LLVM_READONLY { return getSourceRange().getEnd(); } SourceLocation getLocation() const { return Loc; } void setLocation(SourceLocation L) { Loc = L; } Kind getKind() const { return static_cast<Kind>(DeclKind); } const char *getDeclKindName() const; Decl *getNextDeclInContext() { return NextInContextAndBits.getPointer(); } const Decl *getNextDeclInContext() const {return NextInContextAndBits.getPointer();} DeclContext *getDeclContext() { if (isInSemaDC()) return getSemanticDC(); return getMultipleDC()->SemanticDC; } const DeclContext *getDeclContext() const { return const_cast<Decl*>(this)->getDeclContext(); } /// Find the innermost non-closure ancestor of this declaration, /// walking up through blocks, lambdas, etc. If that ancestor is /// not a code context (!isFunctionOrMethod()), returns null. /// /// A declaration may be its own non-closure context. Decl *getNonClosureContext(); const Decl *getNonClosureContext() const { return const_cast<Decl*>(this)->getNonClosureContext(); } TranslationUnitDecl *getTranslationUnitDecl(); const TranslationUnitDecl *getTranslationUnitDecl() const { return const_cast<Decl*>(this)->getTranslationUnitDecl(); } bool isInAnonymousNamespace() const; bool isInStdNamespace() const; ASTContext &getASTContext() const LLVM_READONLY; /// Helper to get the language options from the ASTContext. /// Defined out of line to avoid depending on ASTContext.h. const LangOptions &getLangOpts() const LLVM_READONLY; void setAccess(AccessSpecifier AS) { Access = AS; assert(AccessDeclContextSanity()); } AccessSpecifier getAccess() const { assert(AccessDeclContextSanity()); return AccessSpecifier(Access); } /// Retrieve the access specifier for this declaration, even though /// it may not yet have been properly set. AccessSpecifier getAccessUnsafe() const { return AccessSpecifier(Access); } bool hasAttrs() const { return HasAttrs; } void setAttrs(const AttrVec& Attrs) { return setAttrsImpl(Attrs, getASTContext()); } AttrVec &getAttrs() { return const_cast<AttrVec&>(const_cast<const Decl*>(this)->getAttrs()); } const AttrVec &getAttrs() const; void dropAttrs(); void addAttr(Attr *A); using attr_iterator = AttrVec::const_iterator; using attr_range = llvm::iterator_range<attr_iterator>; attr_range attrs() const { return attr_range(attr_begin(), attr_end()); } attr_iterator attr_begin() const { return hasAttrs() ? getAttrs().begin() : nullptr; } attr_iterator attr_end() const { return hasAttrs() ? getAttrs().end() : nullptr; } template <typename T> void dropAttr() { if (!HasAttrs) return; AttrVec &Vec = getAttrs(); Vec.erase(std::remove_if(Vec.begin(), Vec.end(), isa<T, Attr*>), Vec.end()); if (Vec.empty()) HasAttrs = false; } template <typename T> llvm::iterator_range<specific_attr_iterator<T>> specific_attrs() const { return llvm::make_range(specific_attr_begin<T>(), specific_attr_end<T>()); } template <typename T> specific_attr_iterator<T> specific_attr_begin() const { return specific_attr_iterator<T>(attr_begin()); } template <typename T> specific_attr_iterator<T> specific_attr_end() const { return specific_attr_iterator<T>(attr_end()); } template<typename T> T *getAttr() const { return hasAttrs() ? getSpecificAttr<T>(getAttrs()) : nullptr; } template<typename T> bool hasAttr() const { return hasAttrs() && hasSpecificAttr<T>(getAttrs()); } /// getMaxAlignment - return the maximum alignment specified by attributes /// on this decl, 0 if there are none. unsigned getMaxAlignment() const; /// setInvalidDecl - Indicates the Decl had a semantic error. This /// allows for graceful error recovery. void setInvalidDecl(bool Invalid = true); bool isInvalidDecl() const { return (bool) InvalidDecl; } /// isImplicit - Indicates whether the declaration was implicitly /// generated by the implementation. If false, this declaration /// was written explicitly in the source code. bool isImplicit() const { return Implicit; } void setImplicit(bool I = true) { Implicit = I; } /// Whether *any* (re-)declaration of the entity was used, meaning that /// a definition is required. /// /// \param CheckUsedAttr When true, also consider the "used" attribute /// (in addition to the "used" bit set by \c setUsed()) when determining /// whether the function is used. bool isUsed(bool CheckUsedAttr = true) const; /// Set whether the declaration is used, in the sense of odr-use. /// /// This should only be used immediately after creating a declaration. /// It intentionally doesn't notify any listeners. void setIsUsed() { getCanonicalDecl()->Used = true; } /// Mark the declaration used, in the sense of odr-use. /// /// This notifies any mutation listeners in addition to setting a bit /// indicating the declaration is used. void markUsed(ASTContext &C); /// Whether any declaration of this entity was referenced. bool isReferenced() const; /// Whether this declaration was referenced. This should not be relied /// upon for anything other than debugging. bool isThisDeclarationReferenced() const { return Referenced; } void setReferenced(bool R = true) { Referenced = R; } /// Whether this declaration is a top-level declaration (function, /// global variable, etc.) that is lexically inside an objc container /// definition. bool isTopLevelDeclInObjCContainer() const { return TopLevelDeclInObjCContainer; } void setTopLevelDeclInObjCContainer(bool V = true) { TopLevelDeclInObjCContainer = V; } /// Looks on this and related declarations for an applicable /// external source symbol attribute. ExternalSourceSymbolAttr *getExternalSourceSymbolAttr() const; /// Whether this declaration was marked as being private to the /// module in which it was defined. bool isModulePrivate() const { return getModuleOwnershipKind() == ModuleOwnershipKind::ModulePrivate; } /// Return true if this declaration has an attribute which acts as /// definition of the entity, such as 'alias' or 'ifunc'. bool hasDefiningAttr() const; /// Return this declaration's defining attribute if it has one. const Attr *getDefiningAttr() const; protected: /// Specify that this declaration was marked as being private /// to the module in which it was defined. void setModulePrivate() { // The module-private specifier has no effect on unowned declarations. // FIXME: We should track this in some way for source fidelity. if (getModuleOwnershipKind() == ModuleOwnershipKind::Unowned) return; setModuleOwnershipKind(ModuleOwnershipKind::ModulePrivate); } public: /// Set the FromASTFile flag. This indicates that this declaration /// was deserialized and not parsed from source code and enables /// features such as module ownership information. void setFromASTFile() { FromASTFile = true; } /// Set the owning module ID. This may only be called for /// deserialized Decls. void setOwningModuleID(unsigned ID) { assert(isFromASTFile() && "Only works on a deserialized declaration"); *((unsigned*)this - 2) = ID; } public: /// Determine the availability of the given declaration. /// /// This routine will determine the most restrictive availability of /// the given declaration (e.g., preferring 'unavailable' to /// 'deprecated'). /// /// \param Message If non-NULL and the result is not \c /// AR_Available, will be set to a (possibly empty) message /// describing why the declaration has not been introduced, is /// deprecated, or is unavailable. /// /// \param EnclosingVersion The version to compare with. If empty, assume the /// deployment target version. /// /// \param RealizedPlatform If non-NULL and the availability result is found /// in an available attribute it will set to the platform which is written in /// the available attribute. AvailabilityResult getAvailability(std::string *Message = nullptr, VersionTuple EnclosingVersion = VersionTuple(), StringRef *RealizedPlatform = nullptr) const; /// Retrieve the version of the target platform in which this /// declaration was introduced. /// /// \returns An empty version tuple if this declaration has no 'introduced' /// availability attributes, or the version tuple that's specified in the /// attribute otherwise. VersionTuple getVersionIntroduced() const; /// Determine whether this declaration is marked 'deprecated'. /// /// \param Message If non-NULL and the declaration is deprecated, /// this will be set to the message describing why the declaration /// was deprecated (which may be empty). bool isDeprecated(std::string *Message = nullptr) const { return getAvailability(Message) == AR_Deprecated; } /// Determine whether this declaration is marked 'unavailable'. /// /// \param Message If non-NULL and the declaration is unavailable, /// this will be set to the message describing why the declaration /// was made unavailable (which may be empty). bool isUnavailable(std::string *Message = nullptr) const { return getAvailability(Message) == AR_Unavailable; } /// Determine whether this is a weak-imported symbol. /// /// Weak-imported symbols are typically marked with the /// 'weak_import' attribute, but may also be marked with an /// 'availability' attribute where we're targing a platform prior to /// the introduction of this feature. bool isWeakImported() const; /// Determines whether this symbol can be weak-imported, /// e.g., whether it would be well-formed to add the weak_import /// attribute. /// /// \param IsDefinition Set to \c true to indicate that this /// declaration cannot be weak-imported because it has a definition. bool canBeWeakImported(bool &IsDefinition) const; /// Determine whether this declaration came from an AST file (such as /// a precompiled header or module) rather than having been parsed. bool isFromASTFile() const { return FromASTFile; } /// Retrieve the global declaration ID associated with this /// declaration, which specifies where this Decl was loaded from. unsigned getGlobalID() const { if (isFromASTFile()) return *((const unsigned*)this - 1); return 0; } /// Retrieve the global ID of the module that owns this particular /// declaration. unsigned getOwningModuleID() const { if (isFromASTFile()) return *((const unsigned*)this - 2); return 0; } private: Module *getOwningModuleSlow() const; protected: bool hasLocalOwningModuleStorage() const; public: /// Get the imported owning module, if this decl is from an imported /// (non-local) module. Module *getImportedOwningModule() const { if (!isFromASTFile() || !hasOwningModule()) return nullptr; return getOwningModuleSlow(); } /// Get the local owning module, if known. Returns nullptr if owner is /// not yet known or declaration is not from a module. Module *getLocalOwningModule() const { if (isFromASTFile() || !hasOwningModule()) return nullptr; assert(hasLocalOwningModuleStorage() && "owned local decl but no local module storage"); return reinterpret_cast<Module *const *>(this)[-1]; } void setLocalOwningModule(Module *M) { assert(!isFromASTFile() && hasOwningModule() && hasLocalOwningModuleStorage() && "should not have a cached owning module"); reinterpret_cast<Module **>(this)[-1] = M; } /// Is this declaration owned by some module? bool hasOwningModule() const { return getModuleOwnershipKind() != ModuleOwnershipKind::Unowned; } /// Get the module that owns this declaration (for visibility purposes). Module *getOwningModule() const { return isFromASTFile() ? getImportedOwningModule() : getLocalOwningModule(); } /// Get the module that owns this declaration for linkage purposes. /// There only ever is such a module under the C++ Modules TS. /// /// \param IgnoreLinkage Ignore the linkage of the entity; assume that /// all declarations in a global module fragment are unowned. Module *getOwningModuleForLinkage(bool IgnoreLinkage = false) const; /// Determine whether this declaration might be hidden from name /// lookup. Note that the declaration might be visible even if this returns /// \c false, if the owning module is visible within the query context. // FIXME: Rename this to make it clearer what it does. bool isHidden() const { return (int)getModuleOwnershipKind() > (int)ModuleOwnershipKind::Visible; } /// Set that this declaration is globally visible, even if it came from a /// module that is not visible. void setVisibleDespiteOwningModule() { if (isHidden()) setModuleOwnershipKind(ModuleOwnershipKind::Visible); } /// Get the kind of module ownership for this declaration. ModuleOwnershipKind getModuleOwnershipKind() const { return NextInContextAndBits.getInt(); } /// Set whether this declaration is hidden from name lookup. void setModuleOwnershipKind(ModuleOwnershipKind MOK) { assert(!(getModuleOwnershipKind() == ModuleOwnershipKind::Unowned && MOK != ModuleOwnershipKind::Unowned && !isFromASTFile() && !hasLocalOwningModuleStorage()) && "no storage available for owning module for this declaration"); NextInContextAndBits.setInt(MOK); } unsigned getIdentifierNamespace() const { return IdentifierNamespace; } bool isInIdentifierNamespace(unsigned NS) const { return getIdentifierNamespace() & NS; } static unsigned getIdentifierNamespaceForKind(Kind DK); bool hasTagIdentifierNamespace() const { return isTagIdentifierNamespace(getIdentifierNamespace()); } static bool isTagIdentifierNamespace(unsigned NS) { // TagDecls have Tag and Type set and may also have TagFriend. return (NS & ~IDNS_TagFriend) == (IDNS_Tag | IDNS_Type); } /// getLexicalDeclContext - The declaration context where this Decl was /// lexically declared (LexicalDC). May be different from /// getDeclContext() (SemanticDC). /// e.g.: /// /// namespace A { /// void f(); // SemanticDC == LexicalDC == 'namespace A' /// } /// void A::f(); // SemanticDC == namespace 'A' /// // LexicalDC == global namespace DeclContext *getLexicalDeclContext() { if (isInSemaDC()) return getSemanticDC(); return getMultipleDC()->LexicalDC; } const DeclContext *getLexicalDeclContext() const { return const_cast<Decl*>(this)->getLexicalDeclContext(); } /// Determine whether this declaration is declared out of line (outside its /// semantic context). virtual bool isOutOfLine() const; /// setDeclContext - Set both the semantic and lexical DeclContext /// to DC. void setDeclContext(DeclContext *DC); void setLexicalDeclContext(DeclContext *DC); /// Determine whether this declaration is a templated entity (whether it is // within the scope of a template parameter). bool isTemplated() const; /// isDefinedOutsideFunctionOrMethod - This predicate returns true if this /// scoped decl is defined outside the current function or method. This is /// roughly global variables and functions, but also handles enums (which /// could be defined inside or outside a function etc). bool isDefinedOutsideFunctionOrMethod() const { return getParentFunctionOrMethod() == nullptr; } /// Returns true if this declaration is lexically inside a function or inside /// a variable initializer. It recognizes non-defining declarations as well /// as members of local classes and lambdas: /// \code /// void foo() { void bar(); } /// void foo2() { class ABC { void bar(); }; } /// inline int x = [](){ return 0; }(); /// \endcode bool isInLocalScope() const; /// If this decl is defined inside a function/method/block it returns /// the corresponding DeclContext, otherwise it returns null. const DeclContext *getParentFunctionOrMethod() const; DeclContext *getParentFunctionOrMethod() { return const_cast<DeclContext*>( const_cast<const Decl*>(this)->getParentFunctionOrMethod()); } /// Retrieves the "canonical" declaration of the given declaration. virtual Decl *getCanonicalDecl() { return this; } const Decl *getCanonicalDecl() const { return const_cast<Decl*>(this)->getCanonicalDecl(); } /// Whether this particular Decl is a canonical one. bool isCanonicalDecl() const { return getCanonicalDecl() == this; } protected: /// Returns the next redeclaration or itself if this is the only decl. /// /// Decl subclasses that can be redeclared should override this method so that /// Decl::redecl_iterator can iterate over them. virtual Decl *getNextRedeclarationImpl() { return this; } /// Implementation of getPreviousDecl(), to be overridden by any /// subclass that has a redeclaration chain. virtual Decl *getPreviousDeclImpl() { return nullptr; } /// Implementation of getMostRecentDecl(), to be overridden by any /// subclass that has a redeclaration chain. virtual Decl *getMostRecentDeclImpl() { return this; } public: /// Iterates through all the redeclarations of the same decl. class redecl_iterator { /// Current - The current declaration. Decl *Current = nullptr; Decl *Starter; public: using value_type = Decl *; using reference = const value_type &; using pointer = const value_type *; using iterator_category = std::forward_iterator_tag; using difference_type = std::ptrdiff_t; redecl_iterator() = default; explicit redecl_iterator(Decl *C) : Current(C), Starter(C) {} reference operator*() const { return Current; } value_type operator->() const { return Current; } redecl_iterator& operator++() { assert(Current && "Advancing while iterator has reached end"); // Get either previous decl or latest decl. Decl *Next = Current->getNextRedeclarationImpl(); assert(Next && "Should return next redeclaration or itself, never null!"); Current = (Next != Starter) ? Next : nullptr; return *this; } redecl_iterator operator++(int) { redecl_iterator tmp(*this); ++(*this); return tmp; } friend bool operator==(redecl_iterator x, redecl_iterator y) { return x.Current == y.Current; } friend bool operator!=(redecl_iterator x, redecl_iterator y) { return x.Current != y.Current; } }; using redecl_range = llvm::iterator_range<redecl_iterator>; /// Returns an iterator range for all the redeclarations of the same /// decl. It will iterate at least once (when this decl is the only one). redecl_range redecls() const { return redecl_range(redecls_begin(), redecls_end()); } redecl_iterator redecls_begin() const { return redecl_iterator(const_cast<Decl *>(this)); } redecl_iterator redecls_end() const { return redecl_iterator(); } /// Retrieve the previous declaration that declares the same entity /// as this declaration, or NULL if there is no previous declaration. Decl *getPreviousDecl() { return getPreviousDeclImpl(); } /// Retrieve the previous declaration that declares the same entity /// as this declaration, or NULL if there is no previous declaration. const Decl *getPreviousDecl() const { return const_cast<Decl *>(this)->getPreviousDeclImpl(); } /// True if this is the first declaration in its redeclaration chain. bool isFirstDecl() const { return getPreviousDecl() == nullptr; } /// Retrieve the most recent declaration that declares the same entity /// as this declaration (which may be this declaration). Decl *getMostRecentDecl() { return getMostRecentDeclImpl(); } /// Retrieve the most recent declaration that declares the same entity /// as this declaration (which may be this declaration). const Decl *getMostRecentDecl() const { return const_cast<Decl *>(this)->getMostRecentDeclImpl(); } /// getBody - If this Decl represents a declaration for a body of code, /// such as a function or method definition, this method returns the /// top-level Stmt* of that body. Otherwise this method returns null. virtual Stmt* getBody() const { return nullptr; } /// Returns true if this \c Decl represents a declaration for a body of /// code, such as a function or method definition. /// Note that \c hasBody can also return true if any redeclaration of this /// \c Decl represents a declaration for a body of code. virtual bool hasBody() const { return getBody() != nullptr; } /// getBodyRBrace - Gets the right brace of the body, if a body exists. /// This works whether the body is a CompoundStmt or a CXXTryStmt. SourceLocation getBodyRBrace() const; // global temp stats (until we have a per-module visitor) static void add(Kind k); static void EnableStatistics(); static void PrintStats(); /// isTemplateParameter - Determines whether this declaration is a /// template parameter. bool isTemplateParameter() const; /// isTemplateParameter - Determines whether this declaration is a /// template parameter pack. bool isTemplateParameterPack() const; /// Whether this declaration is a parameter pack. bool isParameterPack() const; /// returns true if this declaration is a template bool isTemplateDecl() const; /// Whether this declaration is a function or function template. bool isFunctionOrFunctionTemplate() const { return (DeclKind >= Decl::firstFunction && DeclKind <= Decl::lastFunction) || DeclKind == FunctionTemplate; } /// If this is a declaration that describes some template, this /// method returns that template declaration. TemplateDecl *getDescribedTemplate() const; /// Returns the function itself, or the templated function if this is a /// function template. FunctionDecl *getAsFunction() LLVM_READONLY; const FunctionDecl *getAsFunction() const { return const_cast<Decl *>(this)->getAsFunction(); } /// Changes the namespace of this declaration to reflect that it's /// a function-local extern declaration. /// /// These declarations appear in the lexical context of the extern /// declaration, but in the semantic context of the enclosing namespace /// scope. void setLocalExternDecl() { Decl *Prev = getPreviousDecl(); IdentifierNamespace &= ~IDNS_Ordinary; // It's OK for the declaration to still have the "invisible friend" flag or // the "conflicts with tag declarations in this scope" flag for the outer // scope. assert((IdentifierNamespace & ~(IDNS_OrdinaryFriend | IDNS_Tag)) == 0 && "namespace is not ordinary"); IdentifierNamespace |= IDNS_LocalExtern; if (Prev && Prev->getIdentifierNamespace() & IDNS_Ordinary) IdentifierNamespace |= IDNS_Ordinary; } /// Determine whether this is a block-scope declaration with linkage. /// This will either be a local variable declaration declared 'extern', or a /// local function declaration. bool isLocalExternDecl() { return IdentifierNamespace & IDNS_LocalExtern; } /// Changes the namespace of this declaration to reflect that it's /// the object of a friend declaration. /// /// These declarations appear in the lexical context of the friending /// class, but in the semantic context of the actual entity. This property /// applies only to a specific decl object; other redeclarations of the /// same entity may not (and probably don't) share this property. void setObjectOfFriendDecl(bool PerformFriendInjection = false) { unsigned OldNS = IdentifierNamespace; assert((OldNS & (IDNS_Tag | IDNS_Ordinary | IDNS_TagFriend | IDNS_OrdinaryFriend | IDNS_LocalExtern | IDNS_NonMemberOperator)) && "namespace includes neither ordinary nor tag"); assert(!(OldNS & ~(IDNS_Tag | IDNS_Ordinary | IDNS_Type | IDNS_TagFriend | IDNS_OrdinaryFriend | IDNS_LocalExtern | IDNS_NonMemberOperator)) && "namespace includes other than ordinary or tag"); Decl *Prev = getPreviousDecl(); IdentifierNamespace &= ~(IDNS_Ordinary | IDNS_Tag | IDNS_Type); if (OldNS & (IDNS_Tag | IDNS_TagFriend)) { IdentifierNamespace |= IDNS_TagFriend; if (PerformFriendInjection || (Prev && Prev->getIdentifierNamespace() & IDNS_Tag)) IdentifierNamespace |= IDNS_Tag | IDNS_Type; } if (OldNS & (IDNS_Ordinary | IDNS_OrdinaryFriend | IDNS_LocalExtern | IDNS_NonMemberOperator)) { IdentifierNamespace |= IDNS_OrdinaryFriend; if (PerformFriendInjection || (Prev && Prev->getIdentifierNamespace() & IDNS_Ordinary)) IdentifierNamespace |= IDNS_Ordinary; } } enum FriendObjectKind { FOK_None, ///< Not a friend object. FOK_Declared, ///< A friend of a previously-declared entity. FOK_Undeclared ///< A friend of a previously-undeclared entity. }; /// Determines whether this declaration is the object of a /// friend declaration and, if so, what kind. /// /// There is currently no direct way to find the associated FriendDecl. FriendObjectKind getFriendObjectKind() const { unsigned mask = (IdentifierNamespace & (IDNS_TagFriend | IDNS_OrdinaryFriend)); if (!mask) return FOK_None; return (IdentifierNamespace & (IDNS_Tag | IDNS_Ordinary) ? FOK_Declared : FOK_Undeclared); } /// Specifies that this declaration is a C++ overloaded non-member. void setNonMemberOperator() { assert(getKind() == Function || getKind() == FunctionTemplate); assert((IdentifierNamespace & IDNS_Ordinary) && "visible non-member operators should be in ordinary namespace"); IdentifierNamespace |= IDNS_NonMemberOperator; } static bool classofKind(Kind K) { return true; } static DeclContext *castToDeclContext(const Decl *); static Decl *castFromDeclContext(const DeclContext *); void print(raw_ostream &Out, unsigned Indentation = 0, bool PrintInstantiation = false) const; void print(raw_ostream &Out, const PrintingPolicy &Policy, unsigned Indentation = 0, bool PrintInstantiation = false) const; static void printGroup(Decl** Begin, unsigned NumDecls, raw_ostream &Out, const PrintingPolicy &Policy, unsigned Indentation = 0); // Debuggers don't usually respect default arguments. void dump() const; // Same as dump(), but forces color printing. void dumpColor() const; void dump(raw_ostream &Out, bool Deserialize = false, ASTDumpOutputFormat OutputFormat = ADOF_Default) const; /// \return Unique reproducible object identifier int64_t getID() const; /// Looks through the Decl's underlying type to extract a FunctionType /// when possible. Will return null if the type underlying the Decl does not /// have a FunctionType. const FunctionType *getFunctionType(bool BlocksToo = true) const; private: void setAttrsImpl(const AttrVec& Attrs, ASTContext &Ctx); void setDeclContextsImpl(DeclContext *SemaDC, DeclContext *LexicalDC, ASTContext &Ctx); protected: ASTMutationListener *getASTMutationListener() const; }; /// Determine whether two declarations declare the same entity. inline bool declaresSameEntity(const Decl *D1, const Decl *D2) { if (!D1 || !D2) return false; if (D1 == D2) return true; return D1->getCanonicalDecl() == D2->getCanonicalDecl(); } /// PrettyStackTraceDecl - If a crash occurs, indicate that it happened when /// doing something to a specific decl. class PrettyStackTraceDecl : public llvm::PrettyStackTraceEntry { const Decl *TheDecl; SourceLocation Loc; SourceManager &SM; const char *Message; public: PrettyStackTraceDecl(const Decl *theDecl, SourceLocation L, SourceManager &sm, const char *Msg) : TheDecl(theDecl), Loc(L), SM(sm), Message(Msg) {} void print(raw_ostream &OS) const override; }; /// The results of name lookup within a DeclContext. This is either a /// single result (with no stable storage) or a collection of results (with /// stable storage provided by the lookup table). class DeclContextLookupResult { using ResultTy = ArrayRef<NamedDecl *>; ResultTy Result; // If there is only one lookup result, it would be invalidated by // reallocations of the name table, so store it separately. NamedDecl *Single = nullptr; static NamedDecl *const SingleElementDummyList; public: DeclContextLookupResult() = default; DeclContextLookupResult(ArrayRef<NamedDecl *> Result) : Result(Result) {} DeclContextLookupResult(NamedDecl *Single) : Result(SingleElementDummyList), Single(Single) {} class iterator; using IteratorBase = llvm::iterator_adaptor_base<iterator, ResultTy::iterator, std::random_access_iterator_tag, NamedDecl *const>; class iterator : public IteratorBase { value_type SingleElement; public: explicit iterator(pointer Pos, value_type Single = nullptr) : IteratorBase(Pos), SingleElement(Single) {} reference operator*() const { return SingleElement ? SingleElement : IteratorBase::operator*(); } }; using const_iterator = iterator; using pointer = iterator::pointer; using reference = iterator::reference; iterator begin() const { return iterator(Result.begin(), Single); } iterator end() const { return iterator(Result.end(), Single); } bool empty() const { return Result.empty(); } pointer data() const { return Single ? &Single : Result.data(); } size_t size() const { return Single ? 1 : Result.size(); } reference front() const { return Single ? Single : Result.front(); } reference back() const { return Single ? Single : Result.back(); } reference operator[](size_t N) const { return Single ? Single : Result[N]; } // FIXME: Remove this from the interface DeclContextLookupResult slice(size_t N) const { DeclContextLookupResult Sliced = Result.slice(N); Sliced.Single = Single; return Sliced; } }; /// DeclContext - This is used only as base class of specific decl types that /// can act as declaration contexts. These decls are (only the top classes /// that directly derive from DeclContext are mentioned, not their subclasses): /// /// TranslationUnitDecl /// ExternCContext /// NamespaceDecl /// TagDecl /// OMPDeclareReductionDecl /// OMPDeclareMapperDecl /// FunctionDecl /// ObjCMethodDecl /// ObjCContainerDecl /// LinkageSpecDecl /// ExportDecl /// BlockDecl /// CapturedDecl class DeclContext { /// For makeDeclVisibleInContextImpl friend class ASTDeclReader; /// For reconcileExternalVisibleStorage, CreateStoredDeclsMap, /// hasNeedToReconcileExternalVisibleStorage friend class ExternalASTSource; /// For CreateStoredDeclsMap friend class DependentDiagnostic; /// For hasNeedToReconcileExternalVisibleStorage, /// hasLazyLocalLexicalLookups, hasLazyExternalLexicalLookups friend class ASTWriter; // We use uint64_t in the bit-fields below since some bit-fields // cross the unsigned boundary and this breaks the packing. /// Stores the bits used by DeclContext. /// If modified NumDeclContextBit, the ctor of DeclContext and the accessor /// methods in DeclContext should be updated appropriately. class DeclContextBitfields { friend class DeclContext; /// DeclKind - This indicates which class this is. uint64_t DeclKind : 7; /// Whether this declaration context also has some external /// storage that contains additional declarations that are lexically /// part of this context. mutable uint64_t ExternalLexicalStorage : 1; /// Whether this declaration context also has some external /// storage that contains additional declarations that are visible /// in this context. mutable uint64_t ExternalVisibleStorage : 1; /// Whether this declaration context has had externally visible /// storage added since the last lookup. In this case, \c LookupPtr's /// invariant may not hold and needs to be fixed before we perform /// another lookup. mutable uint64_t NeedToReconcileExternalVisibleStorage : 1; /// If \c true, this context may have local lexical declarations /// that are missing from the lookup table. mutable uint64_t HasLazyLocalLexicalLookups : 1; /// If \c true, the external source may have lexical declarations /// that are missing from the lookup table. mutable uint64_t HasLazyExternalLexicalLookups : 1; /// If \c true, lookups should only return identifier from /// DeclContext scope (for example TranslationUnit). Used in /// LookupQualifiedName() mutable uint64_t UseQualifiedLookup : 1; }; /// Number of bits in DeclContextBitfields. enum { NumDeclContextBits = 13 }; /// Stores the bits used by TagDecl. /// If modified NumTagDeclBits and the accessor /// methods in TagDecl should be updated appropriately. class TagDeclBitfields { friend class TagDecl; /// For the bits in DeclContextBitfields uint64_t : NumDeclContextBits; /// The TagKind enum. uint64_t TagDeclKind : 3; /// True if this is a definition ("struct foo {};"), false if it is a /// declaration ("struct foo;"). It is not considered a definition /// until the definition has been fully processed. uint64_t IsCompleteDefinition : 1; /// True if this is currently being defined. uint64_t IsBeingDefined : 1; /// True if this tag declaration is "embedded" (i.e., defined or declared /// for the very first time) in the syntax of a declarator. uint64_t IsEmbeddedInDeclarator : 1; /// True if this tag is free standing, e.g. "struct foo;". uint64_t IsFreeStanding : 1; /// Indicates whether it is possible for declarations of this kind /// to have an out-of-date definition. /// /// This option is only enabled when modules are enabled. uint64_t MayHaveOutOfDateDef : 1; /// Has the full definition of this type been required by a use somewhere in /// the TU. uint64_t IsCompleteDefinitionRequired : 1; }; /// Number of non-inherited bits in TagDeclBitfields. enum { NumTagDeclBits = 9 }; /// Stores the bits used by EnumDecl. /// If modified NumEnumDeclBit and the accessor /// methods in EnumDecl should be updated appropriately. class EnumDeclBitfields { friend class EnumDecl; /// For the bits in DeclContextBitfields. uint64_t : NumDeclContextBits; /// For the bits in TagDeclBitfields. uint64_t : NumTagDeclBits; /// Width in bits required to store all the non-negative /// enumerators of this enum. uint64_t NumPositiveBits : 8; /// Width in bits required to store all the negative /// enumerators of this enum. uint64_t NumNegativeBits : 8; /// True if this tag declaration is a scoped enumeration. Only /// possible in C++11 mode. uint64_t IsScoped : 1; /// If this tag declaration is a scoped enum, /// then this is true if the scoped enum was declared using the class /// tag, false if it was declared with the struct tag. No meaning is /// associated if this tag declaration is not a scoped enum. uint64_t IsScopedUsingClassTag : 1; /// True if this is an enumeration with fixed underlying type. Only /// possible in C++11, Microsoft extensions, or Objective C mode. uint64_t IsFixed : 1; /// True if a valid hash is stored in ODRHash. uint64_t HasODRHash : 1; }; /// Number of non-inherited bits in EnumDeclBitfields. enum { NumEnumDeclBits = 20 }; /// Stores the bits used by RecordDecl. /// If modified NumRecordDeclBits and the accessor /// methods in RecordDecl should be updated appropriately. class RecordDeclBitfields { friend class RecordDecl; /// For the bits in DeclContextBitfields. uint64_t : NumDeclContextBits; /// For the bits in TagDeclBitfields. uint64_t : NumTagDeclBits; /// This is true if this struct ends with a flexible /// array member (e.g. int X[]) or if this union contains a struct that does. /// If so, this cannot be contained in arrays or other structs as a member. uint64_t HasFlexibleArrayMember : 1; /// Whether this is the type of an anonymous struct or union. uint64_t AnonymousStructOrUnion : 1; /// This is true if this struct has at least one member /// containing an Objective-C object pointer type. uint64_t HasObjectMember : 1; /// This is true if struct has at least one member of /// 'volatile' type. uint64_t HasVolatileMember : 1; /// Whether the field declarations of this record have been loaded /// from external storage. To avoid unnecessary deserialization of /// methods/nested types we allow deserialization of just the fields /// when needed. mutable uint64_t LoadedFieldsFromExternalStorage : 1; /// Basic properties of non-trivial C structs. uint64_t NonTrivialToPrimitiveDefaultInitialize : 1; uint64_t NonTrivialToPrimitiveCopy : 1; uint64_t NonTrivialToPrimitiveDestroy : 1; /// The following bits indicate whether this is or contains a C union that /// is non-trivial to default-initialize, destruct, or copy. These bits /// imply the associated basic non-triviality predicates declared above. uint64_t HasNonTrivialToPrimitiveDefaultInitializeCUnion : 1; uint64_t HasNonTrivialToPrimitiveDestructCUnion : 1; uint64_t HasNonTrivialToPrimitiveCopyCUnion : 1; /// Indicates whether this struct is destroyed in the callee. uint64_t ParamDestroyedInCallee : 1; /// Represents the way this type is passed to a function. uint64_t ArgPassingRestrictions : 2; }; /// Number of non-inherited bits in RecordDeclBitfields. enum { NumRecordDeclBits = 14 }; /// Stores the bits used by OMPDeclareReductionDecl. /// If modified NumOMPDeclareReductionDeclBits and the accessor /// methods in OMPDeclareReductionDecl should be updated appropriately. class OMPDeclareReductionDeclBitfields { friend class OMPDeclareReductionDecl; /// For the bits in DeclContextBitfields uint64_t : NumDeclContextBits; /// Kind of initializer, /// function call or omp_priv<init_expr> initializtion. uint64_t InitializerKind : 2; }; /// Number of non-inherited bits in OMPDeclareReductionDeclBitfields. enum { NumOMPDeclareReductionDeclBits = 2 }; /// Stores the bits used by FunctionDecl. /// If modified NumFunctionDeclBits and the accessor /// methods in FunctionDecl and CXXDeductionGuideDecl /// (for IsCopyDeductionCandidate) should be updated appropriately. class FunctionDeclBitfields { friend class FunctionDecl; /// For IsCopyDeductionCandidate friend class CXXDeductionGuideDecl; /// For the bits in DeclContextBitfields. uint64_t : NumDeclContextBits; uint64_t SClass : 3; uint64_t IsInline : 1; uint64_t IsInlineSpecified : 1; uint64_t IsVirtualAsWritten : 1; uint64_t IsPure : 1; uint64_t HasInheritedPrototype : 1; uint64_t HasWrittenPrototype : 1; uint64_t IsDeleted : 1; /// Used by CXXMethodDecl uint64_t IsTrivial : 1; /// This flag indicates whether this function is trivial for the purpose of /// calls. This is meaningful only when this function is a copy/move /// constructor or a destructor. uint64_t IsTrivialForCall : 1; uint64_t IsDefaulted : 1; uint64_t IsExplicitlyDefaulted : 1; uint64_t HasDefaultedFunctionInfo : 1; uint64_t HasImplicitReturnZero : 1; uint64_t IsLateTemplateParsed : 1; /// Kind of contexpr specifier as defined by ConstexprSpecKind. uint64_t ConstexprKind : 2; uint64_t InstantiationIsPending : 1; /// Indicates if the function uses __try. uint64_t UsesSEHTry : 1; /// Indicates if the function was a definition /// but its body was skipped. uint64_t HasSkippedBody : 1; /// Indicates if the function declaration will /// have a body, once we're done parsing it. uint64_t WillHaveBody : 1; /// Indicates that this function is a multiversioned /// function using attribute 'target'. uint64_t IsMultiVersion : 1; /// [C++17] Only used by CXXDeductionGuideDecl. Indicates that /// the Deduction Guide is the implicitly generated 'copy /// deduction candidate' (is used during overload resolution). uint64_t IsCopyDeductionCandidate : 1; /// Store the ODRHash after first calculation. uint64_t HasODRHash : 1; /// Indicates if the function uses Floating Point Constrained Intrinsics uint64_t UsesFPIntrin : 1; }; /// Number of non-inherited bits in FunctionDeclBitfields. enum { NumFunctionDeclBits = 27 }; /// Stores the bits used by CXXConstructorDecl. If modified /// NumCXXConstructorDeclBits and the accessor /// methods in CXXConstructorDecl should be updated appropriately. class CXXConstructorDeclBitfields { friend class CXXConstructorDecl; /// For the bits in DeclContextBitfields. uint64_t : NumDeclContextBits; /// For the bits in FunctionDeclBitfields. uint64_t : NumFunctionDeclBits; /// 24 bits to fit in the remaining available space. /// Note that this makes CXXConstructorDeclBitfields take /// exactly 64 bits and thus the width of NumCtorInitializers /// will need to be shrunk if some bit is added to NumDeclContextBitfields, /// NumFunctionDeclBitfields or CXXConstructorDeclBitfields. uint64_t NumCtorInitializers : 21; uint64_t IsInheritingConstructor : 1; /// Whether this constructor has a trail-allocated explicit specifier. uint64_t HasTrailingExplicitSpecifier : 1; /// If this constructor does't have a trail-allocated explicit specifier. /// Whether this constructor is explicit specified. uint64_t IsSimpleExplicit : 1; }; /// Number of non-inherited bits in CXXConstructorDeclBitfields. enum { NumCXXConstructorDeclBits = 64 - NumDeclContextBits - NumFunctionDeclBits }; /// Stores the bits used by ObjCMethodDecl. /// If modified NumObjCMethodDeclBits and the accessor /// methods in ObjCMethodDecl should be updated appropriately. class ObjCMethodDeclBitfields { friend class ObjCMethodDecl; /// For the bits in DeclContextBitfields. uint64_t : NumDeclContextBits; /// The conventional meaning of this method; an ObjCMethodFamily. /// This is not serialized; instead, it is computed on demand and /// cached. mutable uint64_t Family : ObjCMethodFamilyBitWidth; /// instance (true) or class (false) method. uint64_t IsInstance : 1; uint64_t IsVariadic : 1; /// True if this method is the getter or setter for an explicit property. uint64_t IsPropertyAccessor : 1; /// True if this method is a synthesized property accessor stub. uint64_t IsSynthesizedAccessorStub : 1; /// Method has a definition. uint64_t IsDefined : 1; /// Method redeclaration in the same interface. uint64_t IsRedeclaration : 1; /// Is redeclared in the same interface. mutable uint64_t HasRedeclaration : 1; /// \@required/\@optional uint64_t DeclImplementation : 2; /// in, inout, etc. uint64_t objcDeclQualifier : 7; /// Indicates whether this method has a related result type. uint64_t RelatedResultType : 1; /// Whether the locations of the selector identifiers are in a /// "standard" position, a enum SelectorLocationsKind. uint64_t SelLocsKind : 2; /// Whether this method overrides any other in the class hierarchy. /// /// A method is said to override any method in the class's /// base classes, its protocols, or its categories' protocols, that has /// the same selector and is of the same kind (class or instance). /// A method in an implementation is not considered as overriding the same /// method in the interface or its categories. uint64_t IsOverriding : 1; /// Indicates if the method was a definition but its body was skipped. uint64_t HasSkippedBody : 1; }; /// Number of non-inherited bits in ObjCMethodDeclBitfields. enum { NumObjCMethodDeclBits = 24 }; /// Stores the bits used by ObjCContainerDecl. /// If modified NumObjCContainerDeclBits and the accessor /// methods in ObjCContainerDecl should be updated appropriately. class ObjCContainerDeclBitfields { friend class ObjCContainerDecl; /// For the bits in DeclContextBitfields uint32_t : NumDeclContextBits; // Not a bitfield but this saves space. // Note that ObjCContainerDeclBitfields is full. SourceLocation AtStart; }; /// Number of non-inherited bits in ObjCContainerDeclBitfields. /// Note that here we rely on the fact that SourceLocation is 32 bits /// wide. We check this with the static_assert in the ctor of DeclContext. enum { NumObjCContainerDeclBits = 64 - NumDeclContextBits }; /// Stores the bits used by LinkageSpecDecl. /// If modified NumLinkageSpecDeclBits and the accessor /// methods in LinkageSpecDecl should be updated appropriately. class LinkageSpecDeclBitfields { friend class LinkageSpecDecl; /// For the bits in DeclContextBitfields. uint64_t : NumDeclContextBits; /// The language for this linkage specification with values /// in the enum LinkageSpecDecl::LanguageIDs. uint64_t Language : 3; /// True if this linkage spec has braces. /// This is needed so that hasBraces() returns the correct result while the /// linkage spec body is being parsed. Once RBraceLoc has been set this is /// not used, so it doesn't need to be serialized. uint64_t HasBraces : 1; }; /// Number of non-inherited bits in LinkageSpecDeclBitfields. enum { NumLinkageSpecDeclBits = 4 }; /// Stores the bits used by BlockDecl. /// If modified NumBlockDeclBits and the accessor /// methods in BlockDecl should be updated appropriately. class BlockDeclBitfields { friend class BlockDecl; /// For the bits in DeclContextBitfields. uint64_t : NumDeclContextBits; uint64_t IsVariadic : 1; uint64_t CapturesCXXThis : 1; uint64_t BlockMissingReturnType : 1; uint64_t IsConversionFromLambda : 1; /// A bit that indicates this block is passed directly to a function as a /// non-escaping parameter. uint64_t DoesNotEscape : 1; /// A bit that indicates whether it's possible to avoid coying this block to /// the heap when it initializes or is assigned to a local variable with /// automatic storage. uint64_t CanAvoidCopyToHeap : 1; }; /// Number of non-inherited bits in BlockDeclBitfields. enum { NumBlockDeclBits = 5 }; /// Pointer to the data structure used to lookup declarations /// within this context (or a DependentStoredDeclsMap if this is a /// dependent context). We maintain the invariant that, if the map /// contains an entry for a DeclarationName (and we haven't lazily /// omitted anything), then it contains all relevant entries for that /// name (modulo the hasExternalDecls() flag). mutable StoredDeclsMap *LookupPtr = nullptr; protected: /// This anonymous union stores the bits belonging to DeclContext and classes /// deriving from it. The goal is to use otherwise wasted /// space in DeclContext to store data belonging to derived classes. /// The space saved is especially significient when pointers are aligned /// to 8 bytes. In this case due to alignment requirements we have a /// little less than 8 bytes free in DeclContext which we can use. /// We check that none of the classes in this union is larger than /// 8 bytes with static_asserts in the ctor of DeclContext. union { DeclContextBitfields DeclContextBits; TagDeclBitfields TagDeclBits; EnumDeclBitfields EnumDeclBits; RecordDeclBitfields RecordDeclBits; OMPDeclareReductionDeclBitfields OMPDeclareReductionDeclBits; FunctionDeclBitfields FunctionDeclBits; CXXConstructorDeclBitfields CXXConstructorDeclBits; ObjCMethodDeclBitfields ObjCMethodDeclBits; ObjCContainerDeclBitfields ObjCContainerDeclBits; LinkageSpecDeclBitfields LinkageSpecDeclBits; BlockDeclBitfields BlockDeclBits; static_assert(sizeof(DeclContextBitfields) <= 8, "DeclContextBitfields is larger than 8 bytes!"); static_assert(sizeof(TagDeclBitfields) <= 8, "TagDeclBitfields is larger than 8 bytes!"); static_assert(sizeof(EnumDeclBitfields) <= 8, "EnumDeclBitfields is larger than 8 bytes!"); static_assert(sizeof(RecordDeclBitfields) <= 8, "RecordDeclBitfields is larger than 8 bytes!"); static_assert(sizeof(OMPDeclareReductionDeclBitfields) <= 8, "OMPDeclareReductionDeclBitfields is larger than 8 bytes!"); static_assert(sizeof(FunctionDeclBitfields) <= 8, "FunctionDeclBitfields is larger than 8 bytes!"); static_assert(sizeof(CXXConstructorDeclBitfields) <= 8, "CXXConstructorDeclBitfields is larger than 8 bytes!"); static_assert(sizeof(ObjCMethodDeclBitfields) <= 8, "ObjCMethodDeclBitfields is larger than 8 bytes!"); static_assert(sizeof(ObjCContainerDeclBitfields) <= 8, "ObjCContainerDeclBitfields is larger than 8 bytes!"); static_assert(sizeof(LinkageSpecDeclBitfields) <= 8, "LinkageSpecDeclBitfields is larger than 8 bytes!"); static_assert(sizeof(BlockDeclBitfields) <= 8, "BlockDeclBitfields is larger than 8 bytes!"); }; /// FirstDecl - The first declaration stored within this declaration /// context. mutable Decl *FirstDecl = nullptr; /// LastDecl - The last declaration stored within this declaration /// context. FIXME: We could probably cache this value somewhere /// outside of the DeclContext, to reduce the size of DeclContext by /// another pointer. mutable Decl *LastDecl = nullptr; /// Build up a chain of declarations. /// /// \returns the first/last pair of declarations. static std::pair<Decl *, Decl *> BuildDeclChain(ArrayRef<Decl*> Decls, bool FieldsAlreadyLoaded); DeclContext(Decl::Kind K); public: ~DeclContext(); Decl::Kind getDeclKind() const { return static_cast<Decl::Kind>(DeclContextBits.DeclKind); } const char *getDeclKindName() const; /// getParent - Returns the containing DeclContext. DeclContext *getParent() { return cast<Decl>(this)->getDeclContext(); } const DeclContext *getParent() const { return const_cast<DeclContext*>(this)->getParent(); } /// getLexicalParent - Returns the containing lexical DeclContext. May be /// different from getParent, e.g.: /// /// namespace A { /// struct S; /// } /// struct A::S {}; // getParent() == namespace 'A' /// // getLexicalParent() == translation unit /// DeclContext *getLexicalParent() { return cast<Decl>(this)->getLexicalDeclContext(); } const DeclContext *getLexicalParent() const { return const_cast<DeclContext*>(this)->getLexicalParent(); } DeclContext *getLookupParent(); const DeclContext *getLookupParent() const { return const_cast<DeclContext*>(this)->getLookupParent(); } ASTContext &getParentASTContext() const { return cast<Decl>(this)->getASTContext(); } bool isClosure() const { return getDeclKind() == Decl::Block; } /// Return this DeclContext if it is a BlockDecl. Otherwise, return the /// innermost enclosing BlockDecl or null if there are no enclosing blocks. const BlockDecl *getInnermostBlockDecl() const; bool isObjCContainer() const { switch (getDeclKind()) { case Decl::ObjCCategory: case Decl::ObjCCategoryImpl: case Decl::ObjCImplementation: case Decl::ObjCInterface: case Decl::ObjCProtocol: return true; default: return false; } } bool isFunctionOrMethod() const { switch (getDeclKind()) { case Decl::Block: case Decl::Captured: case Decl::ObjCMethod: return true; default: return getDeclKind() >= Decl::firstFunction && getDeclKind() <= Decl::lastFunction; } } /// Test whether the context supports looking up names. bool isLookupContext() const { return !isFunctionOrMethod() && getDeclKind() != Decl::LinkageSpec && getDeclKind() != Decl::Export; } bool isFileContext() const { return getDeclKind() == Decl::TranslationUnit || getDeclKind() == Decl::Namespace; } bool isTranslationUnit() const { return getDeclKind() == Decl::TranslationUnit; } bool isRecord() const { return getDeclKind() >= Decl::firstRecord && getDeclKind() <= Decl::lastRecord; } bool isNamespace() const { return getDeclKind() == Decl::Namespace; } bool isStdNamespace() const; bool isInlineNamespace() const; /// Determines whether this context is dependent on a /// template parameter. bool isDependentContext() const; /// isTransparentContext - Determines whether this context is a /// "transparent" context, meaning that the members declared in this /// context are semantically declared in the nearest enclosing /// non-transparent (opaque) context but are lexically declared in /// this context. For example, consider the enumerators of an /// enumeration type: /// @code /// enum E { /// Val1 /// }; /// @endcode /// Here, E is a transparent context, so its enumerator (Val1) will /// appear (semantically) that it is in the same context of E. /// Examples of transparent contexts include: enumerations (except for /// C++0x scoped enums), and C++ linkage specifications. bool isTransparentContext() const; /// Determines whether this context or some of its ancestors is a /// linkage specification context that specifies C linkage. bool isExternCContext() const; /// Retrieve the nearest enclosing C linkage specification context. const LinkageSpecDecl *getExternCContext() const; /// Determines whether this context or some of its ancestors is a /// linkage specification context that specifies C++ linkage. bool isExternCXXContext() const; /// Determine whether this declaration context is equivalent /// to the declaration context DC. bool Equals(const DeclContext *DC) const { return DC && this->getPrimaryContext() == DC->getPrimaryContext(); } /// Determine whether this declaration context encloses the /// declaration context DC. bool Encloses(const DeclContext *DC) const; /// Find the nearest non-closure ancestor of this context, /// i.e. the innermost semantic parent of this context which is not /// a closure. A context may be its own non-closure ancestor. Decl *getNonClosureAncestor(); const Decl *getNonClosureAncestor() const { return const_cast<DeclContext*>(this)->getNonClosureAncestor(); } /// getPrimaryContext - There may be many different /// declarations of the same entity (including forward declarations /// of classes, multiple definitions of namespaces, etc.), each with /// a different set of declarations. This routine returns the /// "primary" DeclContext structure, which will contain the /// information needed to perform name lookup into this context. DeclContext *getPrimaryContext(); const DeclContext *getPrimaryContext() const { return const_cast<DeclContext*>(this)->getPrimaryContext(); } /// getRedeclContext - Retrieve the context in which an entity conflicts with /// other entities of the same name, or where it is a redeclaration if the /// two entities are compatible. This skips through transparent contexts. DeclContext *getRedeclContext(); const DeclContext *getRedeclContext() const { return const_cast<DeclContext *>(this)->getRedeclContext(); } /// Retrieve the nearest enclosing namespace context. DeclContext *getEnclosingNamespaceContext(); const DeclContext *getEnclosingNamespaceContext() const { return const_cast<DeclContext *>(this)->getEnclosingNamespaceContext(); } /// Retrieve the outermost lexically enclosing record context. RecordDecl *getOuterLexicalRecordContext(); const RecordDecl *getOuterLexicalRecordContext() const { return const_cast<DeclContext *>(this)->getOuterLexicalRecordContext(); } /// Test if this context is part of the enclosing namespace set of /// the context NS, as defined in C++0x [namespace.def]p9. If either context /// isn't a namespace, this is equivalent to Equals(). /// /// The enclosing namespace set of a namespace is the namespace and, if it is /// inline, its enclosing namespace, recursively. bool InEnclosingNamespaceSetOf(const DeclContext *NS) const; /// Collects all of the declaration contexts that are semantically /// connected to this declaration context. /// /// For declaration contexts that have multiple semantically connected but /// syntactically distinct contexts, such as C++ namespaces, this routine /// retrieves the complete set of such declaration contexts in source order. /// For example, given: /// /// \code /// namespace N { /// int x; /// } /// namespace N { /// int y; /// } /// \endcode /// /// The \c Contexts parameter will contain both definitions of N. /// /// \param Contexts Will be cleared and set to the set of declaration /// contexts that are semanticaly connected to this declaration context, /// in source order, including this context (which may be the only result, /// for non-namespace contexts). void collectAllContexts(SmallVectorImpl<DeclContext *> &Contexts); /// decl_iterator - Iterates through the declarations stored /// within this context. class decl_iterator { /// Current - The current declaration. Decl *Current = nullptr; public: using value_type = Decl *; using reference = const value_type &; using pointer = const value_type *; using iterator_category = std::forward_iterator_tag; using difference_type = std::ptrdiff_t; decl_iterator() = default; explicit decl_iterator(Decl *C) : Current(C) {} reference operator*() const { return Current; } // This doesn't meet the iterator requirements, but it's convenient value_type operator->() const { return Current; } decl_iterator& operator++() { Current = Current->getNextDeclInContext(); return *this; } decl_iterator operator++(int) { decl_iterator tmp(*this); ++(*this); return tmp; } friend bool operator==(decl_iterator x, decl_iterator y) { return x.Current == y.Current; } friend bool operator!=(decl_iterator x, decl_iterator y) { return x.Current != y.Current; } }; using decl_range = llvm::iterator_range<decl_iterator>; /// decls_begin/decls_end - Iterate over the declarations stored in /// this context. decl_range decls() const { return decl_range(decls_begin(), decls_end()); } decl_iterator decls_begin() const; decl_iterator decls_end() const { return decl_iterator(); } bool decls_empty() const; /// noload_decls_begin/end - Iterate over the declarations stored in this /// context that are currently loaded; don't attempt to retrieve anything /// from an external source. decl_range noload_decls() const { return decl_range(noload_decls_begin(), noload_decls_end()); } decl_iterator noload_decls_begin() const { return decl_iterator(FirstDecl); } decl_iterator noload_decls_end() const { return decl_iterator(); } /// specific_decl_iterator - Iterates over a subrange of /// declarations stored in a DeclContext, providing only those that /// are of type SpecificDecl (or a class derived from it). This /// iterator is used, for example, to provide iteration over just /// the fields within a RecordDecl (with SpecificDecl = FieldDecl). template<typename SpecificDecl> class specific_decl_iterator { /// Current - The current, underlying declaration iterator, which /// will either be NULL or will point to a declaration of /// type SpecificDecl. DeclContext::decl_iterator Current; /// SkipToNextDecl - Advances the current position up to the next /// declaration of type SpecificDecl that also meets the criteria /// required by Acceptable. void SkipToNextDecl() { while (*Current && !isa<SpecificDecl>(*Current)) ++Current; } public: using value_type = SpecificDecl *; // TODO: Add reference and pointer types (with some appropriate proxy type) // if we ever have a need for them. using reference = void; using pointer = void; using difference_type = std::iterator_traits<DeclContext::decl_iterator>::difference_type; using iterator_category = std::forward_iterator_tag; specific_decl_iterator() = default; /// specific_decl_iterator - Construct a new iterator over a /// subset of the declarations the range [C, /// end-of-declarations). If A is non-NULL, it is a pointer to a /// member function of SpecificDecl that should return true for /// all of the SpecificDecl instances that will be in the subset /// of iterators. For example, if you want Objective-C instance /// methods, SpecificDecl will be ObjCMethodDecl and A will be /// &ObjCMethodDecl::isInstanceMethod. explicit specific_decl_iterator(DeclContext::decl_iterator C) : Current(C) { SkipToNextDecl(); } value_type operator*() const { return cast<SpecificDecl>(*Current); } // This doesn't meet the iterator requirements, but it's convenient value_type operator->() const { return **this; } specific_decl_iterator& operator++() { ++Current; SkipToNextDecl(); return *this; } specific_decl_iterator operator++(int) { specific_decl_iterator tmp(*this); ++(*this); return tmp; } friend bool operator==(const specific_decl_iterator& x, const specific_decl_iterator& y) { return x.Current == y.Current; } friend bool operator!=(const specific_decl_iterator& x, const specific_decl_iterator& y) { return x.Current != y.Current; } }; /// Iterates over a filtered subrange of declarations stored /// in a DeclContext. /// /// This iterator visits only those declarations that are of type /// SpecificDecl (or a class derived from it) and that meet some /// additional run-time criteria. This iterator is used, for /// example, to provide access to the instance methods within an /// Objective-C interface (with SpecificDecl = ObjCMethodDecl and /// Acceptable = ObjCMethodDecl::isInstanceMethod). template<typename SpecificDecl, bool (SpecificDecl::*Acceptable)() const> class filtered_decl_iterator { /// Current - The current, underlying declaration iterator, which /// will either be NULL or will point to a declaration of /// type SpecificDecl. DeclContext::decl_iterator Current; /// SkipToNextDecl - Advances the current position up to the next /// declaration of type SpecificDecl that also meets the criteria /// required by Acceptable. void SkipToNextDecl() { while (*Current && (!isa<SpecificDecl>(*Current) || (Acceptable && !(cast<SpecificDecl>(*Current)->*Acceptable)()))) ++Current; } public: using value_type = SpecificDecl *; // TODO: Add reference and pointer types (with some appropriate proxy type) // if we ever have a need for them. using reference = void; using pointer = void; using difference_type = std::iterator_traits<DeclContext::decl_iterator>::difference_type; using iterator_category = std::forward_iterator_tag; filtered_decl_iterator() = default; /// filtered_decl_iterator - Construct a new iterator over a /// subset of the declarations the range [C, /// end-of-declarations). If A is non-NULL, it is a pointer to a /// member function of SpecificDecl that should return true for /// all of the SpecificDecl instances that will be in the subset /// of iterators. For example, if you want Objective-C instance /// methods, SpecificDecl will be ObjCMethodDecl and A will be /// &ObjCMethodDecl::isInstanceMethod. explicit filtered_decl_iterator(DeclContext::decl_iterator C) : Current(C) { SkipToNextDecl(); } value_type operator*() const { return cast<SpecificDecl>(*Current); } value_type operator->() const { return cast<SpecificDecl>(*Current); } filtered_decl_iterator& operator++() { ++Current; SkipToNextDecl(); return *this; } filtered_decl_iterator operator++(int) { filtered_decl_iterator tmp(*this); ++(*this); return tmp; } friend bool operator==(const filtered_decl_iterator& x, const filtered_decl_iterator& y) { return x.Current == y.Current; } friend bool operator!=(const filtered_decl_iterator& x, const filtered_decl_iterator& y) { return x.Current != y.Current; } }; /// Add the declaration D into this context. /// /// This routine should be invoked when the declaration D has first /// been declared, to place D into the context where it was /// (lexically) defined. Every declaration must be added to one /// (and only one!) context, where it can be visited via /// [decls_begin(), decls_end()). Once a declaration has been added /// to its lexical context, the corresponding DeclContext owns the /// declaration. /// /// If D is also a NamedDecl, it will be made visible within its /// semantic context via makeDeclVisibleInContext. void addDecl(Decl *D); /// Add the declaration D into this context, but suppress /// searches for external declarations with the same name. /// /// Although analogous in function to addDecl, this removes an /// important check. This is only useful if the Decl is being /// added in response to an external search; in all other cases, /// addDecl() is the right function to use. /// See the ASTImporter for use cases. void addDeclInternal(Decl *D); /// Add the declaration D to this context without modifying /// any lookup tables. /// /// This is useful for some operations in dependent contexts where /// the semantic context might not be dependent; this basically /// only happens with friends. void addHiddenDecl(Decl *D); /// Removes a declaration from this context. void removeDecl(Decl *D); /// Checks whether a declaration is in this context. bool containsDecl(Decl *D) const; /// Checks whether a declaration is in this context. /// This also loads the Decls from the external source before the check. bool containsDeclAndLoad(Decl *D) const; using lookup_result = DeclContextLookupResult; using lookup_iterator = lookup_result::iterator; /// lookup - Find the declarations (if any) with the given Name in /// this context. Returns a range of iterators that contains all of /// the declarations with this name, with object, function, member, /// and enumerator names preceding any tag name. Note that this /// routine will not look into parent contexts. lookup_result lookup(DeclarationName Name) const; /// Find the declarations with the given name that are visible /// within this context; don't attempt to retrieve anything from an /// external source. lookup_result noload_lookup(DeclarationName Name); /// A simplistic name lookup mechanism that performs name lookup /// into this declaration context without consulting the external source. /// /// This function should almost never be used, because it subverts the /// usual relationship between a DeclContext and the external source. /// See the ASTImporter for the (few, but important) use cases. /// /// FIXME: This is very inefficient; replace uses of it with uses of /// noload_lookup. void localUncachedLookup(DeclarationName Name, SmallVectorImpl<NamedDecl *> &Results); /// Makes a declaration visible within this context. /// /// This routine makes the declaration D visible to name lookup /// within this context and, if this is a transparent context, /// within its parent contexts up to the first enclosing /// non-transparent context. Making a declaration visible within a /// context does not transfer ownership of a declaration, and a /// declaration can be visible in many contexts that aren't its /// lexical context. /// /// If D is a redeclaration of an existing declaration that is /// visible from this context, as determined by /// NamedDecl::declarationReplaces, the previous declaration will be /// replaced with D. void makeDeclVisibleInContext(NamedDecl *D); /// all_lookups_iterator - An iterator that provides a view over the results /// of looking up every possible name. class all_lookups_iterator; using lookups_range = llvm::iterator_range<all_lookups_iterator>; lookups_range lookups() const; // Like lookups(), but avoids loading external declarations. // If PreserveInternalState, avoids building lookup data structures too. lookups_range noload_lookups(bool PreserveInternalState) const; /// Iterators over all possible lookups within this context. all_lookups_iterator lookups_begin() const; all_lookups_iterator lookups_end() const; /// Iterators over all possible lookups within this context that are /// currently loaded; don't attempt to retrieve anything from an external /// source. all_lookups_iterator noload_lookups_begin() const; all_lookups_iterator noload_lookups_end() const; struct udir_iterator; using udir_iterator_base = llvm::iterator_adaptor_base<udir_iterator, lookup_iterator, std::random_access_iterator_tag, UsingDirectiveDecl *>; struct udir_iterator : udir_iterator_base { udir_iterator(lookup_iterator I) : udir_iterator_base(I) {} UsingDirectiveDecl *operator*() const; }; using udir_range = llvm::iterator_range<udir_iterator>; udir_range using_directives() const; // These are all defined in DependentDiagnostic.h. class ddiag_iterator; using ddiag_range = llvm::iterator_range<DeclContext::ddiag_iterator>; inline ddiag_range ddiags() const; // Low-level accessors /// Mark that there are external lexical declarations that we need /// to include in our lookup table (and that are not available as external /// visible lookups). These extra lookup results will be found by walking /// the lexical declarations of this context. This should be used only if /// setHasExternalLexicalStorage() has been called on any decl context for /// which this is the primary context. void setMustBuildLookupTable() { assert(this == getPrimaryContext() && "should only be called on primary context"); DeclContextBits.HasLazyExternalLexicalLookups = true; } /// Retrieve the internal representation of the lookup structure. /// This may omit some names if we are lazily building the structure. StoredDeclsMap *getLookupPtr() const { return LookupPtr; } /// Ensure the lookup structure is fully-built and return it. StoredDeclsMap *buildLookup(); /// Whether this DeclContext has external storage containing /// additional declarations that are lexically in this context. bool hasExternalLexicalStorage() const { return DeclContextBits.ExternalLexicalStorage; } /// State whether this DeclContext has external storage for /// declarations lexically in this context. void setHasExternalLexicalStorage(bool ES = true) const { DeclContextBits.ExternalLexicalStorage = ES; } /// Whether this DeclContext has external storage containing /// additional declarations that are visible in this context. bool hasExternalVisibleStorage() const { return DeclContextBits.ExternalVisibleStorage; } /// State whether this DeclContext has external storage for /// declarations visible in this context. void setHasExternalVisibleStorage(bool ES = true) const { DeclContextBits.ExternalVisibleStorage = ES; if (ES && LookupPtr) DeclContextBits.NeedToReconcileExternalVisibleStorage = true; } /// Determine whether the given declaration is stored in the list of /// declarations lexically within this context. bool isDeclInLexicalTraversal(const Decl *D) const { return D && (D->NextInContextAndBits.getPointer() || D == FirstDecl || D == LastDecl); } bool setUseQualifiedLookup(bool use = true) const { bool old_value = DeclContextBits.UseQualifiedLookup; DeclContextBits.UseQualifiedLookup = use; return old_value; } bool shouldUseQualifiedLookup() const { return DeclContextBits.UseQualifiedLookup; } static bool classof(const Decl *D); static bool classof(const DeclContext *D) { return true; } void dumpDeclContext() const; void dumpLookups() const; void dumpLookups(llvm::raw_ostream &OS, bool DumpDecls = false, bool Deserialize = false) const; private: /// Whether this declaration context has had externally visible /// storage added since the last lookup. In this case, \c LookupPtr's /// invariant may not hold and needs to be fixed before we perform /// another lookup. bool hasNeedToReconcileExternalVisibleStorage() const { return DeclContextBits.NeedToReconcileExternalVisibleStorage; } /// State that this declaration context has had externally visible /// storage added since the last lookup. In this case, \c LookupPtr's /// invariant may not hold and needs to be fixed before we perform /// another lookup. void setNeedToReconcileExternalVisibleStorage(bool Need = true) const { DeclContextBits.NeedToReconcileExternalVisibleStorage = Need; } /// If \c true, this context may have local lexical declarations /// that are missing from the lookup table. bool hasLazyLocalLexicalLookups() const { return DeclContextBits.HasLazyLocalLexicalLookups; } /// If \c true, this context may have local lexical declarations /// that are missing from the lookup table. void setHasLazyLocalLexicalLookups(bool HasLLLL = true) const { DeclContextBits.HasLazyLocalLexicalLookups = HasLLLL; } /// If \c true, the external source may have lexical declarations /// that are missing from the lookup table. bool hasLazyExternalLexicalLookups() const { return DeclContextBits.HasLazyExternalLexicalLookups; } /// If \c true, the external source may have lexical declarations /// that are missing from the lookup table. void setHasLazyExternalLexicalLookups(bool HasLELL = true) const { DeclContextBits.HasLazyExternalLexicalLookups = HasLELL; } void reconcileExternalVisibleStorage() const; bool LoadLexicalDeclsFromExternalStorage() const; /// Makes a declaration visible within this context, but /// suppresses searches for external declarations with the same /// name. /// /// Analogous to makeDeclVisibleInContext, but for the exclusive /// use of addDeclInternal(). void makeDeclVisibleInContextInternal(NamedDecl *D); StoredDeclsMap *CreateStoredDeclsMap(ASTContext &C) const; void loadLazyLocalLexicalLookups(); void buildLookupImpl(DeclContext *DCtx, bool Internal); void makeDeclVisibleInContextWithFlags(NamedDecl *D, bool Internal, bool Rediscoverable); void makeDeclVisibleInContextImpl(NamedDecl *D, bool Internal); }; inline bool Decl::isTemplateParameter() const { return getKind() == TemplateTypeParm || getKind() == NonTypeTemplateParm || getKind() == TemplateTemplateParm; } // Specialization selected when ToTy is not a known subclass of DeclContext. template <class ToTy, bool IsKnownSubtype = ::std::is_base_of<DeclContext, ToTy>::value> struct cast_convert_decl_context { static const ToTy *doit(const DeclContext *Val) { return static_cast<const ToTy*>(Decl::castFromDeclContext(Val)); } static ToTy *doit(DeclContext *Val) { return static_cast<ToTy*>(Decl::castFromDeclContext(Val)); } }; // Specialization selected when ToTy is a known subclass of DeclContext. template <class ToTy> struct cast_convert_decl_context<ToTy, true> { static const ToTy *doit(const DeclContext *Val) { return static_cast<const ToTy*>(Val); } static ToTy *doit(DeclContext *Val) { return static_cast<ToTy*>(Val); } }; } // namespace clang namespace llvm { /// isa<T>(DeclContext*) template <typename To> struct isa_impl<To, ::clang::DeclContext> { static bool doit(const ::clang::DeclContext &Val) { return To::classofKind(Val.getDeclKind()); } }; /// cast<T>(DeclContext*) template<class ToTy> struct cast_convert_val<ToTy, const ::clang::DeclContext,const ::clang::DeclContext> { static const ToTy &doit(const ::clang::DeclContext &Val) { return *::clang::cast_convert_decl_context<ToTy>::doit(&Val); } }; template<class ToTy> struct cast_convert_val<ToTy, ::clang::DeclContext, ::clang::DeclContext> { static ToTy &doit(::clang::DeclContext &Val) { return *::clang::cast_convert_decl_context<ToTy>::doit(&Val); } }; template<class ToTy> struct cast_convert_val<ToTy, const ::clang::DeclContext*, const ::clang::DeclContext*> { static const ToTy *doit(const ::clang::DeclContext *Val) { return ::clang::cast_convert_decl_context<ToTy>::doit(Val); } }; template<class ToTy> struct cast_convert_val<ToTy, ::clang::DeclContext*, ::clang::DeclContext*> { static ToTy *doit(::clang::DeclContext *Val) { return ::clang::cast_convert_decl_context<ToTy>::doit(Val); } }; /// Implement cast_convert_val for Decl -> DeclContext conversions. template<class FromTy> struct cast_convert_val< ::clang::DeclContext, FromTy, FromTy> { static ::clang::DeclContext &doit(const FromTy &Val) { return *FromTy::castToDeclContext(&Val); } }; template<class FromTy> struct cast_convert_val< ::clang::DeclContext, FromTy*, FromTy*> { static ::clang::DeclContext *doit(const FromTy *Val) { return FromTy::castToDeclContext(Val); } }; template<class FromTy> struct cast_convert_val< const ::clang::DeclContext, FromTy, FromTy> { static const ::clang::DeclContext &doit(const FromTy &Val) { return *FromTy::castToDeclContext(&Val); } }; template<class FromTy> struct cast_convert_val< const ::clang::DeclContext, FromTy*, FromTy*> { static const ::clang::DeclContext *doit(const FromTy *Val) { return FromTy::castToDeclContext(Val); } }; } // namespace llvm #endif // LLVM_CLANG_AST_DECLBASE_H
[ "yehuda.s@nueroblade.ai" ]
yehuda.s@nueroblade.ai
c3f3afa5002f24954f439c3389dc9bee2623dd21
75f1889405c0cd4c9d8756b0b4e3740c46e1ee52
/11747.cpp
7d58c169bbbc68d9bb1a8e6a0674e136a1452742
[ "MIT" ]
permissive
abraxaslee/ACM-ICPC
4156093d60eb0ac1dcddb660a75c814cc0e739b9
d8db31a4a2a36258bfba42a806b02bbf3eceaf2b
refs/heads/master
2021-09-09T10:32:36.828303
2018-03-15T07:48:04
2018-03-15T07:48:04
125,329,676
2
0
null
null
null
null
UTF-8
C++
false
false
1,515
cpp
//2012/02/12 //11747.cpp //Run time: 0.008 #include <stdio.h> #include <stdlib.h> #include <string.h> struct EDGES{ int u, v, w; } es[25005], *a, *b; int rank[1005], par[1005]; int V, E, said; int cmp(const void *i, const void *j){ a = (EDGES *)i, b = (EDGES *) j; return a->w - b->w; } int find_union(int x){ if(par[x] == x) return x; return par[x] = find_union(par[x]); } void kruskul(){ qsort(es, E, sizeof(EDGES), cmp); memset(rank, 0, sizeof(int)*V); int i, set, x, y; for(said=set=i=0; i<E ; ++i){ x = find_union(es[i].u); y = find_union(es[i].v); if(x != y){ if(rank[x] < rank[y]){ par[x] = y; }else{ par[y] = x; if(rank[x] == rank[y]) rank[x]++; } ++set; }else{ printf("%d", es[i].w); said = 1; break; } } for(i=i+1; i<E; ++i){ x = find_union(es[i].u); y = find_union(es[i].v); if(x != y){ if(rank[x] < rank[y]){ par[x] = y; }else{ par[y] = x; if(rank[x] == rank[y]) rank[x]++; } ++set; }else{ printf(" %d", es[i].w); } } if(said) putchar(10); else puts("forest"); return; } int main(){ #ifndef ONLINE_JUDGE freopen("11747.in", "r", stdin); freopen("11747.out", "w", stdout); #endif int i; while( scanf("%d%d", &V, &E) != EOF){ if( V + E == 0) break; for(i=0; i<V; ++i) par[i] = i; for(i=0; i<E; ++i) scanf("%d%d%d", &es[i].u, &es[i].v, &es[i].w); kruskul(); } return 0; }
[ "leeyuhinleo@gmail.com" ]
leeyuhinleo@gmail.com
6521f6c1e2799b5a4176adbe34412dfcdddc1bfe
ceea10d637d9fb08dc35dfa52702d952326a5a22
/Src/UPOEngine/Core/UBound.h
1313217e74bc741cded8c4e4daf1fd11c4e63cf6
[]
no_license
UPO33/UPOEngine
d2c8594474ad60f80e15da46e791360aad652817
e720755d93b86b0dd5ef6a8d879284042c7aba0d
refs/heads/master
2020-09-27T01:21:30.674251
2017-03-03T07:48:43
2017-03-03T07:48:43
67,622,746
7
1
null
null
null
null
UTF-8
C++
false
false
1,085
h
#pragma once #include "UPlane.h" #include "UMatrix.h" namespace UPO { struct UAPI alignas(16) AABB { Vec3 mMin, mMax; AABB(){} AABB(InitZero) { mMin = mMax = Vec3(0); } AABB(const Vec3& min, const Vec3& max) : mMin(min), mMax(max) {} static AABB MakeFromPoints(const void* points, unsigned numPoints, unsigned stride); inline Vec3 GetCenter() const { return (mMin + mMax) * 0.5f; } inline Vec3 GetExtent() const { return (mMax - mMin) * 0.5f; } inline bool IsPointInside(const Vec3& point) const { return point > mMin && point < mMax; } int Intersect(const Plane&) const; Vec3 GetCorner(bool positiveX, bool positiveY, bool positiveZ) const { Vec3 ret; ret.mX = positiveX ? mMax.mX : mMin.mX; ret.mY = positiveY ? mMax.mY : mMin.mY; ret.mZ = positiveZ ? mMax.mZ : mMin.mZ; return ret; } static AABB TransformBound(const AABB&, const Transform&); }; struct SphereBound { Vec3 mPosition; float mRadius; }; struct UAPI alignas(16) BoxSphereBound { Vec3 mCenter; float mRadiusSq; Vec3 mExtent; }; };
[ "abc0d3r@gmail.com" ]
abc0d3r@gmail.com
bb4ec7c910c70387cbcbe0dd030f9e73158ebc05
1fea001ec1d935c30cd5927629cdcb51a7331f6c
/client-pc/source/AnimateButton.h
c5ce60207c089b9c1c4c3179610646dd88add3ef
[]
no_license
black0592/BlueClick
5d884114b71f93de642df04ae4686a6bd5a1b1b0
5295f23b99ebe5f0aac793cf6e24274313fb1e9c
refs/heads/master
2021-05-29T11:50:06.671785
2015-04-19T12:24:16
2015-04-19T12:24:16
null
0
0
null
null
null
null
GB18030
C++
false
false
6,619
h
/***************************************************************************/ /* 类名:CAnimateButton */ /* (C)CopyRight www.cguage.com */ /***************************************************************************/ ///////////////////////////////////////////////////////////////////////////// //基类:CButton //功能:1、从资源或者外部导入图片,抠除mask色,实现按钮异形; // 2、支持按钮3态、4态、5态,支持文字在按钮下方、右方,支持动态创建; // 3、实现按钮的透明渐变效果; // 4、3D按钮文字效果; // 5、按钮Hover、点击声音效果; // 6、设置按钮鼠标光标; // 7、得到按钮左上角位置. //作者:C瓜哥 // blog: www.cguage.com // Email: tangcraig@gmail.com // QQ: 1019714877 //版本: // V1.0(2010年6月14日22:16:59) // v1.1(2010年7月26日12:33:02) // 优化了透明异形图的做法,增加实现了得到焦点状态,增加了增加了文字可以在 // 按钮外面的属性,增加了动态创建功能等 //主要方法: // 见下 //注意: 按钮各状态在一张图片上,且每状态的宽度应一致,各状态顺序:Normal、 // Hovered、Pressed、(Focused、disabled) 最后两个为可选, LoadBitmap的时 // 候要指定后两状态的有无(默认为5态按钮) ///////////////////////////////////////////////////////////////////////////// #if !defined(AFX_ANIMATEBUTTON_H__FDD30F99_A0DC_4004_9A70_DA0F83338D28__INCLUDED_) #define AFX_ANIMATEBUTTON_H__FDD30F99_A0DC_4004_9A70_DA0F83338D28__INCLUDED_ #if _MSC_VER > 1000 #pragma once #endif // _MSC_VER > 1000 // AnimateButton.h : header file // #include <afxtempl.h> #include <Mmsystem.h> #pragma comment(lib, "winmm.lib") #pragma comment(lib, "msimg32.lib") enum { TEXT3D_NONE, //无3D效果 TEXT3D_STROKE, //描边 TEXT3D_SHADOW, //阴影 TXTPOS_IN = 1, //字在按钮图像内 TXTPOS_DOWN, //字在按钮下方 TXTPOS_RIGHT //字在按钮右方 }; struct AnibtnTextOpinion { int nPosition; //文字所处区域(内部、下面、右边?) int nDistance; //下方、右方文字与按钮图片的距离(文字在内部时,此标志位无效) UINT nFormat; //文字对齐方式(和CDC::DrawText中的nFormat一个含义) LOGFONT* pLf; //存放字体信息 // CFont* pFont; //字体 COLORREF clrText; //文字颜色 COLORREF clrTextHovered;//Hover下文字颜色 UINT n3DStyle; //3D效果种类(可合成) COLORREF clrBorder; //描边颜色(如果n3DStyle中无TEXT3D_STROKE,将忽略此参数) UINT nBorderThickness; //边缘厚度(如果n3DStyle中无TEXT3D_STROKE,将忽略此参数) UINT nOffsetShadow; //阴影距离(如果n3DStyle中无TEXT3D_SHADOW,将忽略此参数) AnibtnTextOpinion() { nPosition = TXTPOS_IN; nDistance = 5; nFormat = 37;//即DT_SINGLELINE | DT_CENTER | DT_VCENTER pLf = NULL; // pFont = NULL; clrText = 0; clrTextHovered = clrText; n3DStyle = TEXT3D_NONE; clrBorder = 0; nBorderThickness = 1; nOffsetShadow = 2; } }; ///////////////////////////////////////////////////////////////////////////// // CAnimateButton window class CAnimateButton : public CButton { // Construction public: CAnimateButton(); // Attributes public: // Operations public: // Overrides // ClassWizard generated virtual function overrides //{{AFX_VIRTUAL(CAnimateButton) public: virtual void DrawItem(LPDRAWITEMSTRUCT lpDIS); protected: virtual void PreSubclassWindow(); //}}AFX_VIRTUAL // Implementation public: CPoint GetWindowPos(); //取得按钮位置(left, top) BOOL Create(DWORD dwStyle,const POINT& pos, CWnd* pParentWnd, UINT nID);//动态创建,pos:按钮位置,注:按钮大小依图像大小而定 void SetBtnText(LPCTSTR lpszString); //设置按钮文字 void SetBtnText(LPCTSTR lpszString, AnibtnTextOpinion ato); //设置按钮文字,ato:字体样式struct AnibtnTextOpinion void SetCursor(LPCTSTR lpszAniCur); //设置光标,lpszAniCur光标资源文件(*.cur、*.ani) void SetCursor(UINT nIDCursor); //设置光标,nIDCursor光标资源ID //导入图像,各参数:图片文件名、透明色、是否有得到焦点状态、是否有失效状态 BOOL LoadBitmap(CString szFileName, COLORREF clrTrans = RGB(255, 0, 255)); //导入图像,各参数:图片资源ID、透明色、是否有得到焦点状态、是否有失效状态 BOOL LoadBitmap(UINT nIDBmp, COLORREF clrTrans = RGB(255, 0, 255)); virtual ~CAnimateButton(); // Generated message map functions protected: void DrawBtnText(CDC* pDC); void AlphaBitmap(int nItem); //{{AFX_MSG(CAnimateButton) afx_msg void OnMouseMove(UINT nFlags, CPoint point); afx_msg void OnTimer(UINT nIDEvent); afx_msg void OnLButtonUp(UINT nFlags, CPoint point); afx_msg void OnLButtonDown(UINT nFlags, CPoint point); afx_msg void OnEnable(BOOL bEnable); afx_msg BOOL OnSetCursor(CWnd* pWnd, UINT nHitTest, UINT message); afx_msg void OnKillFocus(CWnd* pNewWnd); afx_msg HBRUSH CtlColor(CDC* pDC, UINT nCtlColor); //}}AFX_MSG afx_msg LRESULT OnMouseHover(WPARAM wParam, LPARAM lParam); afx_msg LRESULT OnMouseLeave(WPARAM wParam, LPARAM lParam); DECLARE_MESSAGE_MAP() HRGN BitmapToRegion(HBITMAP hBmp, int nSplit, int n, COLORREF cTransparentColor, COLORREF); void PrepareBitmap(HBITMAP hBitmap); private: int m_aniBtnHeight; int m_aniBtnWidth; int m_aniBtnState; CBrush m_brushNull; CFont m_fontTxt; CRect m_rcTextBox; AnibtnTextOpinion m_ato; COLORREF m_clrTrans; CArray<HRGN, HRGN> m_arBmpRgn; CString m_strSndClick; CString m_strSndHover; UINT m_nIDSndClick; UINT m_nIDSndHover; CString m_strBtnText; HCURSOR m_hCursor; BOOL m_bEnable; int m_nTrans; BLENDFUNCTION m_bf; BOOL m_bAllowTrack; CDC* m_pMemDC; enum { TIMER_ELAPSE = 15, //TIMER时间 TRANS_INCREMENT = 3, //每一次的透明度增加量 STATE_NORMAL = 0, //按钮普通状态 STATE_HOVERED, //鼠标进入按钮状态 STATE_PRESSED, //按钮被按下的状态 STATE_DISABLED, //按钮失效状态 STATE_FOCUSED, //按钮得到焦点状态 }; }; ///////////////////////////////////////////////////////////////////////////// //{{AFX_INSERT_LOCATION}} // Microsoft Visual C++ will insert additional declarations immediately before the previous line. #endif // !defined(AFX_ANIMATEBUTTON_H__FDD30F99_A0DC_4004_9A70_DA0F83338D28__INCLUDED_)
[ "zhangyongjun369@gmail.com" ]
zhangyongjun369@gmail.com
347d14d75e172dfd3339ef3afb051218de5d173c
fa86389c80009665eb135fc1857c8c83bf442bbb
/CPP04/ex01/WrongAnimal.cpp
491886bacbc242b46ada10d50841d23962cfbefb
[]
no_license
Gtaverne/41-CPP
04a26a3281b311f28bb2fd55fdb3d134aa1ab070
4c7976fe8aa47e07c979430003677a032b8b71bb
refs/heads/master
2023-08-30T03:34:33.566542
2021-10-16T19:53:21
2021-10-16T19:53:21
384,514,595
0
0
null
null
null
null
UTF-8
C++
false
false
801
cpp
#include "WrongAnimal.hpp" //Canon WrongAnimal::WrongAnimal(void) { std::cout << "A new WrongAnimal has been created" << std::endl; _type = "None"; } WrongAnimal::WrongAnimal(WrongAnimal const &input) { std::cout << "You copied a WrongAnimal" << std::endl; *this = input; } WrongAnimal::~WrongAnimal(void) { std::cout << "You killed a WrongAnimal, that's bad anyway" << std::endl; } WrongAnimal & WrongAnimal::operator= (WrongAnimal const & rhs) { _type = rhs.getType(); return *this; } //Setter & getter std::string WrongAnimal::getType(void) const { return _type ; } void WrongAnimal::setType(std::string const newtype) { _type = newtype ; } //Member function void WrongAnimal::makeSound() const { std::cout << getType() << ": Even if I'm wrong, I will stay silent" << std::endl; }
[ "gtaverne@e1r10p22.42.fr" ]
gtaverne@e1r10p22.42.fr
b4008dce26eda64154fc7355e5a882bbe5cd09e9
5014f6ec4be806cfadc6a7eea9ba742d0494cc71
/Semester2/Graph theory/Algorithms/Prufer/Prufer/main.cpp
bc773cb08ea59cfca0b85d39ceaeb560c87a631c
[]
no_license
bogdansimion31/University
7900d34b1c8575fa5192f87d94d49982ba1432c4
47d71b894d6fb81907256bb0f439f048e65a089a
refs/heads/master
2023-08-23T09:33:58.116224
2021-04-13T21:32:02
2021-04-13T21:32:02
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,997
cpp
/* * Supr* Prufer encoding and deconding algorithm */ #include <fstream> #include <vector> #include<algorithm> #define pb push_back #define NMAX 1000 using namespace std; /* FILE DECLARATION */ /* ---------------- */ ifstream f("input.txt"); ofstream g("output.txt"); /* ---------------- */ /* DATA DECLARATION */ /* ---------------- */ struct Pair{ int x, y; }; vector<int> G[NMAX]; //our Tree int n; //number of nodes /* ---------------- */ /* * Function which reads the data from the file (a tree) */ void read_data(int& n, vector<int>G[]){ f >> n; for(int i = 1; i<n; i++){ int x, y; f >> x >> y; G[x].pb(y); G[y].pb(x); } } /* * Function which for a given node gets its father * :param G: our graph * :param node: the node whose father we search * :return: the father of the node if it exits, -1 otherwise */ int get_father(vector<int>G[], int node){ for(int i = 1; i<=n; i++){ for(int j = 0; j < G[i].size(); j++){ if(G[i][j] == node){ return i; } } } return -1; } /* * Function which for a given graph and a node deletes the node * :param G: the graph * :param node: the node to be deleted */ void erase_from_nodes(vector<int> G[], int node){ for(auto i = 1; i<=n; i++){ if(find(G[i].begin(), G[i].end(), node) != G[i].end()){ G[i].erase(find(G[i].begin(), G[i].end(), node)); } } } /* * Function which gets the minimum leaf of the graph and delets it * :param G: our graph (tree) */ int get_min_leaf_parent(vector<int>G[]){ int min_leaf = n + 1; for(int i = 1; i <= n; i++){ if(G[i].size() == 1 && min_leaf > i){ min_leaf = get_father(G, i); G[i].erase(G[i].begin()); erase_from_nodes(G, i); break; } } return min_leaf; } /* * Function which for a given tree calculates its Prufer encoding * :param G: the given tree * :return: the prufer encoding as a vector */ vector<int> prufer_encoding(vector<int>G[]){ vector<int> result; while(result.size() != n - 1){ //I do the encoding till n - 1, to construct the tree right auto leaf_parent = get_min_leaf_parent(G); result.pb(leaf_parent); } return result; } /* * Function which prints the prufer encoding */ void print_prufer(vector<int>& res){ g << "The prufer encoding is: "; for(int i = 0; i<res.size() - 1; i++){ g << res[i] << ' '; } g << '\n'; } /* * Function which for a given vector, returns the smallest natural number not in v * :param v: vector * :return: the smallest natural number which is not in v, else -1 */ int get_smallest_int(vector<int> v){ bool freq[NMAX]; for(int i = 1; i<=n; i++){ freq[i] = false; } for(int i = 0; i<v.size(); i++){ freq[v[i]] = true; } for(int i = 1; i<=n; i++){ if(!freq[i]){ return i; } } return -1; } /* * Function which for a given prufer encoding, makes its tree * :param encoding: a pruffer encoding */ vector<Pair> prufer_decoding(vector<int> encoding){ vector<Pair> result; for(int i = 1; i<n; i++){ auto first = encoding.begin(); auto x = *first; auto y = get_smallest_int(encoding); Pair edge; edge.x = x; edge.y = y; result.push_back(edge); encoding.erase(first); encoding.push_back(y); } return result; } /* * Function which prints the decoded tree from a Prufer sequence * :param result: vector of pairs */ void print_tree(vector<Pair> result){ g << "The tree edges are:\n"; for(int i = 0; i<result.size(); i++){ auto pair = result[i]; g << pair.x << " -> " << pair.y << '\n'; } } int main(){ read_data(n, G); auto res = prufer_encoding(G); print_prufer(res); auto dec = prufer_decoding(res); print_tree(dec); return 0; }
[ "geo.badita@gmail.com" ]
geo.badita@gmail.com
e4ef41c9b5cd4c0f3fc66578c0d68a1c52351dde
b5648642fd2e05589cab760a909ce1dc38556d5d
/touchGFX/TGFX-Framework-include/touchgfx/mixins/PreRenderable.hpp
7b7abb8d36bafa6b5cf73d0f835cb41fd6c13293
[]
no_license
sunklCoin/MCU
862c8f8ee48872b3fc703d54c2d76bbb74cca1a4
9cc7a45fae3b18821c722f78d901034086ccc98c
refs/heads/master
2021-07-14T00:58:51.259827
2017-10-16T14:12:55
2017-10-16T14:12:55
105,020,651
0
0
null
2017-10-16T14:12:56
2017-09-27T13:19:03
C++
UTF-8
C++
false
false
5,894
hpp
/****************************************************************************** * * @brief This file is part of the TouchGFX 4.8.0 evaluation distribution. * * @author Draupner Graphics A/S <http://www.touchgfx.com> * ****************************************************************************** * * @section Copyright * * Copyright (C) 2014-2016 Draupner Graphics A/S <http://www.touchgfx.com>. * All rights reserved. * * TouchGFX is protected by international copyright laws and the knowledge of * this source code may not be used to write a similar product. This file may * only be used in accordance with a license and should not be re- * distributed in any way without the prior permission of Draupner Graphics. * * This is licensed software for evaluation use, any use must strictly comply * with the evaluation license agreement provided with delivery of the * TouchGFX software. * * The evaluation license agreement can be seen on www.touchgfx.com * * @section Disclaimer * * DISCLAIMER OF WARRANTY/LIMITATION OF REMEDIES: Draupner Graphics A/S has * no obligation to support this software. Draupner Graphics A/S is providing * the software "AS IS", with no express or implied warranties of any kind, * including, but not limited to, any implied warranties of merchantability * or fitness for any particular purpose or warranties against infringement * of any proprietary rights of a third party. * * Draupner Graphics A/S can not be held liable for any consequential, * incidental, or special damages, or any other relief, or for any claim by * any third party, arising from your use of this software. * *****************************************************************************/ #ifndef PRERENDERABLE_HPP #define PRERENDERABLE_HPP #include <touchgfx/Drawable.hpp> #include <touchgfx/hal/HAL.hpp> namespace touchgfx { /** * @class PreRenderable PreRenderable.hpp touchgfx/mixins/PreRenderable.hpp * * @brief This mixin can be used on any Drawable. * * This mixin can be used on any Drawable. It provides a preRender function, which will * cache the current visual appearance of the Drawable to be cache in a memory region. * Subsequent calls to draw() on this Drawable will result in a simple memcpy of the * cached memory instead of the normal draw operation. This mixin can therefore be used * on Drawables whose visual appearance is static and the normal draw operation takes a * long time to compute. * * @note The actual uses of this mixin are rare, and the class is mainly provided for example * purposes. * * @tparam T The type of Drawable to add this functionality to. */ template <class T> class PreRenderable : public T { public: /** * @fn PreRenderable::PreRenderable() * * @brief Default constructor. * * Default constructor. Initializes the PreRenderable. */ PreRenderable() : preRenderedAddress(0) { } /** * @fn void PreRenderable::draw(const Rect& invalidatedArea) const * * @brief Overrides the draw function. * * Overrides the draw function. If preRender has been called, perform a memcpy of * the cached version. If not, just call the base class version of draw. * * @param invalidatedArea The subregion of this Drawable which needs to be redrawn. */ void draw(const Rect& invalidatedArea) const { if (isPreRendered()) { Rect dirty = invalidatedArea; Rect meAbs = T::getRect(); uint16_t width = T::rect.width; int cols = dirty.width; int rows = dirty.height; int offsetPos = dirty.x + width * dirty.y; uint16_t* src = (uint16_t*)preRenderedAddress; HAL::getInstance()->blitCopy(src + offsetPos, meAbs.x + dirty.x, meAbs.y + dirty.y, cols, rows, width, 255, false); } else { T::draw(invalidatedArea); } } /** * @fn virtual void PreRenderable::setupDrawChain(const Rect& invalidatedArea, Drawable** nextPreviousElement) * * @brief Add to draw chain. * * @note For TouchGFX internal use only. * * @param invalidatedArea Include drawables that intersect with this area only. * @param [in,out] nextPreviousElement Modifiable element in linked list. */ virtual void setupDrawChain(const Rect& invalidatedArea, Drawable** nextPreviousElement) { T::resetDrawChainCache(); if (isPreRendered()) { if (!T::isVisible()) { return; } T::nextDrawChainElement = *nextPreviousElement; *nextPreviousElement = this; } else { T::setupDrawChain(invalidatedArea, nextPreviousElement); } } /** * @fn bool PreRenderable::isPreRendered() const * * @brief Whether or not the snapshot of the widget been taken. * * @return Is the widget rendered. */ bool isPreRendered() const { return preRenderedAddress != 0; } /** * @fn void PreRenderable::preRender() * * @brief Takes a snapshot of the current visual appearance of this widget. * * Takes a snapshot of the current visual appearance of this widget. All subsequent * calls to draw on this mixin will result in the snapshot being draw. */ void preRender() { if (HAL::getInstance()->getBlitCaps() & BLIT_OP_COPY) { Rect meAbs = T::getRect(); T::translateRectToAbsolute(meAbs); preRenderedAddress = HAL::getInstance()->copyFBRegionToMemory(meAbs); } } private: uint16_t* preRenderedAddress; }; } // namespace touchgfx #endif // PRERENDERABLE_HPP
[ "sunkl.coin@gmail.com" ]
sunkl.coin@gmail.com
55542490292565775d9eb546efe622b97192aa46
7435c4218f847c1145f2d8e60468fcb8abca1979
/Matiti/src/RigidBodyDynamics.cc
0cb46d80278094b66d49369d507290efa435c5b6
[]
no_license
markguozhiming/ParSim
bb0d7162803279e499daf58dc8404440b50de38d
6afe2608edd85ed25eafff6085adad553e9739bc
refs/heads/master
2020-05-16T19:04:09.700317
2019-02-12T02:30:45
2019-02-12T02:30:45
null
0
0
null
null
null
null
UTF-8
C++
false
false
28,173
cc
/* * The MIT License * * Copyright (c) 2013-2014 Callaghan Innovation, New Zealand * Copyright (c) 2015 Parresia Research Limited, New Zealand * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to * deal in the Software without restriction, including without limitation the * rights to use, copy, modify, merge, publish, distribute, sublicense, and/or * sell copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING * FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS * IN THE SOFTWARE. */ #include <RigidBodyDynamics.h> #include <Core/SphereRigidBody.h> #include <Core/ConvexHullRigidBody.h> #include <Core/Exception.h> #include <Core/Geometry/Vector.h> #include <Core/Geometry/IntVector.h> #include <Pointers/RigidBodySP.h> #include <Geometry/Vector3D.h> #include <Core/ProblemSpec/ProblemSpec.h> #include <memory> #include <chrono> #include <fstream> #include <iostream> #include <unistd.h> #include <algorithm> #include <errno.h> #include <fenv.h> using namespace Matiti; RigidBodyDynamics::RigidBodyDynamics() { // Set up bullet physics initializeBullet(); } RigidBodyDynamics::~RigidBodyDynamics() { deleteBulletRigidBodies(); deleteBulletShapes(); delete d_world; delete d_solver; delete d_broadphase; delete d_dispatch; delete d_config; } void RigidBodyDynamics::initializeBullet() { // Set up default collision configuration d_config = new btDefaultCollisionConfiguration(); d_config->setConvexConvexMultipointIterations(7); // Needed for contact detection // for small objects // Set up collision dispatcher d_dispatch = new btCollisionDispatcher(d_config); // Set up broad phase (for the interface) d_broadphase = new btDbvtBroadphase(); //btVector3 worldAabbMin(-1000,-1000,-1000); //btVector3 worldAabbMax(1000,1000,1000); //btHashedOverlappingPairCache* pairCache = new btHashedOverlappingPairCache(); //d_broadphase = new btAxisSweep3(worldAabbMin,worldAabbMax,3500,pairCache); // Set up constraint solver d_solver = new btSequentialImpulseConstraintSolver(); //btDantzigSolver* mlcp = new btDantzigSolver(); //d_solver = new btMLCPSolver(mlcp); // Create the world d_world = new btDiscreteDynamicsWorld(d_dispatch, d_broadphase, d_solver, d_config); btContactSolverInfo& info = d_world->getSolverInfo(); info.m_splitImpulse = 1; info.m_numIterations = 20; } void RigidBodyDynamics::problemSetup(Uintah::ProblemSpecP& ps) { // Set up the time information d_time.initialize(ps); // std::cout << d_time ; // Set up the output information d_output.initialize(ps); // std::cout << d_output ; // Set up the domain d_domain.initialize(ps); // std::cout << d_domain ; // Get the walls (**TODO** Use the domain wall BCs in the next version) for (Uintah::ProblemSpecP wall_ps = ps->findBlock("Wall"); wall_ps != 0; wall_ps = wall_ps->findNextBlock("Wall")) { // Get the wall box SCIRun::Vector wall_min, wall_max; wall_ps->require("wall_min", wall_min); wall_ps->require("wall_max", wall_max); Wall wall; wall.box_min = wall_min; wall.box_max = wall_max; d_walls.push_back(wall); } // Set up the ground for bullet d_ground_min = SCIRun::Vector(d_domain.lower().x(), d_domain.lower().y(), d_domain.lower().z()); d_ground_max = SCIRun::Vector(d_domain.upper().x(), d_domain.upper().y(), d_domain.lower().z()+0.01*d_domain.zrange()); // Set up the body information unsigned long count = 0; // A file containing a list of speherical rigid bodies Uintah::ProblemSpecP file_ps = ps->findBlock("RigidBodyFile"); if (file_ps) { std::cout << "Reading rigid body file " << std::endl; // Get the file name std::string fileName; file_ps->require("rigid_body_file", fileName); // Get the particle stride (number to skip in file) int stride = 1; file_ps->require("particle_stride", stride); // Get the ground box file_ps->require("ground_min", d_ground_min); file_ps->require("ground_max", d_ground_max); // Get the velocity scale factor double vel_scale_fac = 1.0; file_ps->require("velocity_scale_factor", vel_scale_fac); // Get the body force and rotation information // Read the initial body forces Uintah::Vector body_force; file_ps->require("body_force", body_force); // For a rotating coordinate system Uintah::Vector rot_center, rot_vel; file_ps->require("center_of_rotation", rot_center); file_ps->require("angular_velocity_of_rotation", rot_vel); // Read the points std::vector<Uintah::Vector> positions; std::vector<Uintah::Vector> velocities; std::vector<double> masses; std::vector<double> volumes; readPointsFromFile(fileName, positions, velocities, masses, volumes); // Create spherical rigid bodies int count = 0; for (auto position : positions) { if (count%stride == 0) { // Create a Rigid body RigidBodySP body = std::make_shared<SphereRigidBody>(); body->initialize(masses[count], volumes[count], position, velocities[count]*vel_scale_fac, body_force, rot_center, rot_vel); body->id(count); d_body_list.emplace_back(body); } ++count; } std::cout << "Done reading rigid body file " << std::endl; } else { // Read the rigid bodies for (Uintah::ProblemSpecP body_ps = ps->findBlock("RigidBody"); body_ps != 0; body_ps = body_ps->findNextBlock("RigidBody")) { // std::cout << count << endl; // Initialize the body RigidBodySP body = std::make_shared<SphereRigidBody>(); body->initialize(body_ps); body->id(count); d_body_list.emplace_back(body); ++count; // std::cout << *body; } } // Read convex rigid bodies // **WARNING** Assumes the ground location has already been defined int convex_body_count = 0; for (Uintah::ProblemSpecP body_ps = ps->findBlock("ConvexHullRigidBody"); body_ps != 0; body_ps = body_ps->findNextBlock("ConvexHullRigidBody")) { std::cout << "Reading convex hull file " << std::endl; // Get the file name std::string fileName; body_ps->require("rigid_body_file", fileName); // Get the velocity scale factor double vel_scale_fac = 1.0; body_ps->require("velocity_scale_factor", vel_scale_fac); // Get the body force and rotation information // Read the initial body forces Uintah::Vector body_force; body_ps->require("body_force", body_force); // For a rotating coordinate system Uintah::Vector rot_center, rot_vel; body_ps->require("center_of_rotation", rot_center); body_ps->require("angular_velocity_of_rotation", rot_vel); // Read the points std::vector<Uintah::Vector> positions; std::vector<Uintah::Vector> velocities; std::vector<double> masses; std::vector<double> volumes; readPointsFromFile(fileName, positions, velocities, masses, volumes); // Create convex hull rigid bodies ConvexHullRigidBodySP body = std::make_shared<ConvexHullRigidBody>(); body->initialize(convex_body_count, masses, volumes, positions, velocities, vel_scale_fac, body_force, rot_center, rot_vel); d_convex_body_list.emplace_back(body); ++convex_body_count; std::cout << "Done reading convex hull file " << std::endl; } // Set up bullet setupBulletRigidBodies(); } void RigidBodyDynamics::readPointsFromFile(const std::string& fileName, std::vector<SCIRun::Vector>& positions, std::vector<SCIRun::Vector>& velocities, std::vector<double>& masses, std::vector<double>& volumes) { // Try to open file std::ifstream file(fileName); if (!file.is_open()) { std::string out = "Could not open node input rigid body file " + fileName + " for reading \n"; throw Exception(out, __FILE__, __LINE__); } // Read the file std::string line; while (std::getline(file, line)) { // Ignore empty lines if (line.empty()) continue; // Tokenize the line std::string data_piece; std::istringstream data_stream(line); std::vector<std::string> data; while (std::getline(data_stream, data_piece, ' ')) { data.push_back(data_piece); } if (data.size() < 9) { std::ostringstream out; out << "Could not read node input rigid body file line " << line << std::endl; throw Exception(out.str(), __FILE__, __LINE__); } //std::cout << " line = " << line << std::endl; // Put the read data into variables auto iter = data.begin(); //double time = std::stod(*iter); ++iter; double com_x = std::stod(*iter); ++iter; double com_y = std::stod(*iter); ++iter; double com_z = std::stod(*iter); ++iter; double vel_x = std::stod(*iter); ++iter; double vel_y = std::stod(*iter); ++iter; double vel_z = std::stod(*iter); ++iter; double mass = std::stod(*iter); ++iter; double vol = std::stod(*iter); positions.push_back(Uintah::Vector(com_x, com_y, com_z)); velocities.push_back(Uintah::Vector(vel_x, vel_y, vel_z)); masses.push_back(mass); volumes.push_back(vol); } } void RigidBodyDynamics::problemSetup(Time& time, OutputVTK& output, Domain& domain, RigidBodySPArray& bodyList, ConvexHullRigidBodySPArray& convexBodyList) { d_time.clone(time); d_output.clone(output); d_domain.clone(domain); d_body_list = bodyList; d_convex_body_list = convexBodyList; // Set up the ground for bullet d_ground_min = SCIRun::Vector(d_domain.lower().x(), d_domain.lower().y(), d_domain.lower().z()); d_ground_max = SCIRun::Vector(d_domain.upper().x(), d_domain.upper().y(), d_domain.lower().z()+0.01*d_domain.zrange()); // Set up bullet setupBulletRigidBodies(); } void RigidBodyDynamics::setupBulletRigidBodies() { // Create walls createWalls(); // Create the ground createGround(); // Create the rigid body list for bullet if (d_body_list.size() > 0) { auto iter = d_body_list.begin(); double radius = (*iter)->radius(); createRigidBodies(radius); } // Create the convex hull rigid body list for bullet createConvexHullRigidBodies(); } void RigidBodyDynamics::createWalls() { for (auto iter = d_walls.begin(); iter != d_walls.end(); iter++) { SCIRun::Vector wall_min = (*iter).box_min; SCIRun::Vector wall_max = (*iter).box_max; // Get box dimensions double xLen = std::abs(wall_max[0] - wall_min[0]); double yLen = std::abs(wall_max[1] - wall_min[1]); double zLen = std::abs(wall_max[2] - wall_min[2]); // Create shape btCollisionShape* shape = new btBoxShape(btVector3(btScalar(xLen), btScalar(yLen), btScalar(zLen))); //shape->setMargin(0.05); d_collisionShapes.push_back(shape); // Move the shape to the right location btTransform wallTransform; wallTransform.setIdentity(); wallTransform.setOrigin(btVector3(0.5*(wall_min[0]+wall_max[0]), 0.5*(wall_min[1]+wall_max[1]), 0.5*(wall_min[2]+wall_max[2]))); // Create motion state btDefaultMotionState* motionState = new btDefaultMotionState(wallTransform); // The wall does not move btScalar mass(0.0); btVector3 localInertia(0.0, 0.0, 0.0); // Create the body btRigidBody::btRigidBodyConstructionInfo rbInfo(mass, motionState, shape, localInertia); btRigidBody* body = new btRigidBody(rbInfo); body->setFriction(0.1); body->setRollingFriction(0.1); // Add the body to the dynamics world d_world->addRigidBody(body); } } // The shape is a box **NOTE** Generalize later void RigidBodyDynamics::createGround() { // Get box dimensions double xLen = d_ground_max[0] - d_ground_min[0]; double yLen = d_ground_max[1] - d_ground_min[1]; double zLen = d_ground_max[2] - d_ground_min[2]; // Create shape btCollisionShape* shape = new btBoxShape(btVector3(btScalar(xLen), btScalar(yLen), btScalar(zLen))); //shape->setMargin(0.05); d_collisionShapes.push_back(shape); // Move the shape to the right location btTransform groundTransform; groundTransform.setIdentity(); groundTransform.setOrigin(btVector3(d_ground_min[0], d_ground_min[1], d_ground_min[2])); // Create motion state btDefaultMotionState* motionState = new btDefaultMotionState(groundTransform); // The ground does not move btScalar mass(0.0); btVector3 localInertia(0.0, 0.0, 0.0); // Create the body btRigidBody::btRigidBodyConstructionInfo rbInfo(mass, motionState, shape, localInertia); btRigidBody* body = new btRigidBody(rbInfo); body->setFriction(1); body->setRollingFriction(1); // Add the body to the dynamics world d_world->addRigidBody(body); } // The shape is a sphere **NOTE** Generalize later void RigidBodyDynamics::createRigidBodies(const double& radius) { // Create shape btCollisionShape* shape = new btSphereShape(radius); std::cout << shape->getMargin() << std::endl; d_collisionShapes.push_back(shape); // Create transforms btTransform bodyTransform; // Initialize local inertia btVector3 localInertia(0.0, 0.0, 0.0); // Loop thru the list of bodies for (auto body_iter = d_body_list.begin(); body_iter != d_body_list.end(); ++body_iter) { // Set the position Vector3D pos = (*body_iter)->centerOfMass(); bodyTransform.setIdentity(); bodyTransform.setOrigin(btVector3(pos[0], pos[1], pos[2])); // Create motion state btDefaultMotionState* motionState = new btDefaultMotionState(bodyTransform); // Get the mass btScalar mass((*body_iter)->mass()); // Compute local inertia shape->calculateLocalInertia(mass, localInertia); // Create the body btRigidBody::btRigidBodyConstructionInfo rbInfo(mass, motionState, shape, localInertia); btRigidBody* body = new btRigidBody(rbInfo); // Set the friction coeffs body->setFriction(1); body->setRollingFriction(1); // Set the initial velocity Vector3D init_vel = (*body_iter)->velocity(); body->setLinearVelocity(btVector3(init_vel.x(), init_vel.y(), init_vel.z())); // Set the initial body force acceleration Vector3D body_force = (*body_iter)->bodyForce(); body->setGravity(btVector3(body_force.x(), body_force.y(), body_force.z())); // Add the body to the dynamics world d_world->addRigidBody(body); d_world->setGravity(btVector3(0.0, 0.0, 0.0)); } } // The shape is a convex hull void RigidBodyDynamics::createConvexHullRigidBodies() { for (auto& convex_body : d_convex_body_list) { // Create shape btConvexHullShape* originalConvexShape = new btConvexHullShape(); // Add the points to the shape for (auto position : convex_body->getPositions()) { originalConvexShape->addPoint(btVector3(position.x(), position.y(), position.z())); } // Create a reduced convex hull shape btShapeHull* hull = new btShapeHull(originalConvexShape); btScalar margin = originalConvexShape->getMargin(); hull->buildHull(margin); btConvexHullShape* shape = new btConvexHullShape((const btScalar*) hull->getVertexPointer(), hull->numVertices()); std::cout << shape->getMargin() << std::endl; d_collisionShapes.push_back(shape); // Create transforms (no transformation for now) btTransform bodyTransform; bodyTransform.setIdentity(); // Create motion state btDefaultMotionState* motionState = new btDefaultMotionState(bodyTransform); // Get the mass btScalar mass(convex_body->mass()); // Initialize local inertia btVector3 localInertia(0.0, 0.0, 0.0); // Compute local inertia shape->calculateLocalInertia(mass, localInertia); // Create the body btRigidBody::btRigidBodyConstructionInfo rbInfo(mass, motionState, shape, localInertia); btRigidBody* body = new btRigidBody(rbInfo); // Set the friction coeffs body->setFriction(1); body->setRollingFriction(1); // Set the initial velocity Uintah::Vector init_vel = convex_body->velocity(); body->setLinearVelocity(btVector3(init_vel.x(), init_vel.y(), init_vel.z())); // Set the initial body force acceleration Uintah::Vector body_force = convex_body->bodyForce(); body->setGravity(btVector3(body_force.x(), body_force.y(), body_force.z())); // Add the body to the dynamics world d_world->addRigidBody(body); d_world->setGravity(btVector3(0.0, 0.0, 0.0)); } } void RigidBodyDynamics::run() { std::cout << "....Begin Solver...." << std::endl; // Write the output at the beginning of the simulation d_output.write(d_time, d_domain, d_body_list, d_convex_body_list); // Get the ground + walls count int static_bodies = (int) d_walls.size() + 1; // Get the sphere and convex rigid body count int sphere_bodies = (int) d_body_list.size(); int convex_bodies = (int) d_convex_body_list.size(); std::cout << "Num collision objects = " << d_world->getNumCollisionObjects() << std::endl; std::cout << "Num static bodies = " << static_bodies << std::endl; std::cout << "Num rigid bodies = " << sphere_bodies << std::endl; std::cout << "Num convex hull rigid bodies = " << convex_bodies << std::endl; // Do time incrementation double cur_time = 0.0; int cur_iter = 1; while (cur_time < d_time.maxTime() && cur_iter < d_time.maxIter()) { auto t1 = std::chrono::high_resolution_clock::now(); // Get the current delT double delT = d_time.delT(); int maxSubsteps = 0; d_world->stepSimulation(delT, maxSubsteps, 1.0/480.0); // Third argument is needed for // contact detetion of small objects // Loop through the rigid bodies for (int jj = d_world->getNumCollisionObjects()-1; jj > 0; jj--) { // For sphere rigid bodies if (jj >= static_bodies && jj < static_bodies + sphere_bodies) { //std::cout << " jj = " << jj; //std::cout << " Processing sphere" << std::endl; btCollisionObject* obj = d_world->getCollisionObjectArray()[jj]; btRigidBody* body = btRigidBody::upcast(obj); if (body && body->getMotionState()) { btTransform trans; body->getMotionState()->getWorldTransform(trans); // Update position and velocity Vector3D pos(trans.getOrigin().getX(), trans.getOrigin().getY(), trans.getOrigin().getZ()); Vector3D vel(body->getLinearVelocity().getX(), body->getLinearVelocity().getY(), body->getLinearVelocity().getZ()); int index = jj - static_bodies; d_body_list[index]->position(pos); d_body_list[index]->velocity(vel); // Get the rotation origin and velocity Vector3D oo = d_body_list[index]->rotatingCoordCenter(); Vector3D omega = d_body_list[index]->rotatingCoordAngularVelocity(); Vector3D rr = pos - oo; Vector3D omegaxr = omega.cross(rr); Vector3D omegaxomegaxr = omega.cross(omegaxr); Vector3D omegaxv = omega.cross(vel); // Update the body force Vector3D body_force = d_body_list[index]->bodyForce(); body_force = body_force - omegaxomegaxr - omegaxv*2.0; body->setGravity(btVector3(body_force.x(), body_force.y(), body_force.z())); } // end if body && body->getMotionState } else { // For convex hull rigid bodies if (jj >= static_bodies) { //std::cout << " jj = " << jj; //std::cout << " Processing convex hull" << std::endl; btCollisionObject* obj = d_world->getCollisionObjectArray()[jj]; btRigidBody* body = btRigidBody::upcast(obj); if (body && body->getMotionState()) { btTransform trans; body->getMotionState()->getWorldTransform(trans); btCollisionShape* shape = obj->getCollisionShape(); int index = jj - static_bodies - sphere_bodies; if (shape->isConvex()) { // Get the translation of the origin //btVector3 translation = trans.getOrigin(); // Get the rotation //btMatrix3x3 rotation = trans.getBasis(); // Update positions of vertices std::vector<Uintah::Vector> positions; std::vector<Uintah::Vector> old_positions = d_convex_body_list[index]->getPositions(); Uintah::Vector old_com = d_convex_body_list[index]->centerOfMass(); for (auto position : old_positions) { // Rotate and translate the points btVector3 old_pos(position.x(), position.y(), position.z()); btVector3 pos = trans*old_pos; positions.push_back(Uintah::Vector(pos.x(), pos.y(), pos.z())); /* // Get relative positions Uintah::Vector old_rel_pos = position - old_com; btVector3 old_rel_pos_vec(old_rel_pos.x(), old_rel_pos.y(), old_rel_pos.z()); // Rotate the points btVector3 rot_mat_row1 = rotation[0]; btVector3 rot_mat_row2 = rotation[1]; btVector3 rot_mat_row3 = rotation[2]; btScalar new_rel_pos1 = rot_mat_row1.dot(old_rel_pos_vec); btScalar new_rel_pos2 = rot_mat_row2.dot(old_rel_pos_vec); btScalar new_rel_pos3 = rot_mat_row3.dot(old_rel_pos_vec); btVector3 new_rel_pos_vec(new_rel_pos1, new_rel_pos2, new_rel_pos3); // Translate the points btVector3 pos = new_rel_pos_vec + translation; positions.push_back(Uintah::Vector(pos.x(), pos.y(), pos.z())); */ } d_convex_body_list[index]->setPositions(positions); // Update velocity Uintah::Vector com_pos(trans.getOrigin().getX(), trans.getOrigin().getY(), trans.getOrigin().getZ()); d_convex_body_list[index]->setCenterOfMass(com_pos); Uintah::Vector vel(body->getLinearVelocity().getX(), body->getLinearVelocity().getY(), body->getLinearVelocity().getZ()); d_convex_body_list[index]->setVelocity(vel); // Get the rotation origin and velocity Uintah::Vector oo = d_convex_body_list[index]->rotatingCoordCenter(); Uintah::Vector omega = d_convex_body_list[index]->rotatingCoordAngularVelocity(); Uintah::Vector rr = com_pos - oo; Uintah::Vector omegaxr = Cross(omega, rr); Uintah::Vector omegaxomegaxr = Cross(omega, omegaxr); Uintah::Vector omegaxv = Cross(omega, vel); // Update the body force Uintah::Vector body_force = d_convex_body_list[index]->bodyForce(); body_force = body_force - omegaxomegaxr - omegaxv*2.0; body->setGravity(btVector3(body_force.x(), body_force.y(), body_force.z())); } // end if shape isConvex } // end if body && body->getMotionState //std::cout << " Done processing convex hull" << std::endl; } // ceck if jj > static_bodies } // end if jj is a convex body index } // End loop over collision objects // Get memory usage double res_mem = 0.0, shar_mem = 0.0; checkMemoryUsage(res_mem, shar_mem); // Print out current time and iteration auto t2 = std::chrono::high_resolution_clock::now(); std::cout << "Time = " << cur_time << " Iteration = " << cur_iter << " Compute time = " << std::chrono::duration_cast<std::chrono::milliseconds>(t2-t1).count() << " ms" << " Memory = " << (res_mem-shar_mem)/1024 << " MB" << std::endl; // Update the current time and current iteration cur_time = d_time.incrementTime(delT); ++cur_iter; // Output nodal information every snapshots_frequency iteration int output_freq = d_output.outputIteratonInterval(); if (cur_iter%output_freq == 0) { d_output.write(d_time, d_domain, d_body_list, d_convex_body_list); //std::cout << "Wrote out data at time " << d_time << std::endl; } // Print position, mass, volume /* for (int jj = d_world->getNumCollisionObjects()-1; jj > 0; jj--) { btCollisionObject* obj = d_world->getCollisionObjectArray()[jj]; btRigidBody* body = btRigidBody::upcast(obj); if (body && body->getMotionState()) { btTransform trans; body->getMotionState()->getWorldTransform(trans); //std::cout << " jj = " << jj << " static = " << static_bodies // << " sphere = " << sphere_bodies << std::endl; if (jj >= static_bodies) { if (jj < static_bodies + sphere_bodies) { int index = jj - static_bodies; std::cerr << trans.getOrigin().getX() << "," << trans.getOrigin().getY() << "," << trans.getOrigin().getZ() << "," << d_body_list[index]->mass() << "," << d_body_list[index]->volume() << std::endl; } else { //std::cout << " Printing convex hull data " << std::endl; int index = jj - static_bodies - sphere_bodies; std::cerr << trans.getOrigin().getX() << "," << trans.getOrigin().getY() << "," << trans.getOrigin().getZ() << "," << d_convex_body_list[index]->mass() << "," << d_convex_body_list[index]->volume() << std::endl; } } } } */ } // End time loop } void RigidBodyDynamics::deleteBulletRigidBodies() { // Loop through the rigid bodies for (int jj = d_world->getNumCollisionObjects()-1; jj >= 0; jj--) { btCollisionObject* obj = d_world->getCollisionObjectArray()[jj]; btRigidBody* body = btRigidBody::upcast(obj); if (body && body->getMotionState()) { delete body->getMotionState(); } d_world->removeCollisionObject(obj); delete obj; } } void RigidBodyDynamics::deleteBulletShapes() { // Loop through the shapes for (int jj = 0; jj < d_collisionShapes.size(); jj++) { btCollisionShape* shape = d_collisionShapes[jj]; d_collisionShapes[jj] = 0; delete shape; } d_collisionShapes.clear(); } void RigidBodyDynamics::checkMemoryUsage(double& resident_mem, double& shared_mem) { int tSize = 0, resident = 0, share = 0; std::ifstream buffer("/proc/self/statm"); buffer >> tSize >> resident >> share; buffer.close(); long page_size_kb = sysconf(_SC_PAGE_SIZE) / 1024; // in case x86-64 is configured to use 2MB pages resident_mem = resident * page_size_kb; shared_mem = share * page_size_kb; }
[ "b.banerjee.nz@gmail.com" ]
b.banerjee.nz@gmail.com
57269a4bcb926cad51416d67b878712fc3e5bc49
4b4ad0481e9671e68c0f68c1824017def72f8bf3
/AR-Application-Scherf_neu/Builds/Il2CppOutputProject/Source/il2cppOutput/Il2CppComCallableWrappers6.cpp
38953fb6d8b4da336ddd78eed1e79b09b7e7215f
[]
no_license
Orkanelf/MRRemoteGuiding
8ce2643faaa4940ae4c470993787d3835f605d8b
fdb2d48b9e14e25505a00fa3dfa611be36f4bae5
refs/heads/master
2023-07-31T15:39:41.015587
2021-09-18T16:27:37
2021-09-18T16:27:37
407,905,882
0
0
null
null
null
null
UTF-8
C++
false
false
1,573,309
cpp
#include "il2cpp-config.h" #ifndef _MSC_VER # include <alloca.h> #else # include <malloc.h> #endif #include <stdint.h> #include "codegen/il2cpp-codegen.h" #include "vm/CachedCCWBase.h" #include "os/Unity/UnityPlatformConfigure.h" #include "il2cpp-object-internals.h" template <typename R> struct VirtFuncInvoker0 { typedef R (*Func)(void*, const RuntimeMethod*); static inline R Invoke (Il2CppMethodSlot slot, RuntimeObject* obj) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_virtual_invoke_data(slot, obj); return ((Func)invokeData.methodPtr)(obj, invokeData.method); } }; // Mono.Math.BigInteger struct BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8; // Mono.Net.CFDictionary struct CFDictionary_t5AE095BB2659C5053DA76275C14AA93E0BAB6778; // Mono.Net.CFNetwork/GetProxyData struct GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC; // Mono.Net.CFProxy struct CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4; // Mono.Security.Interface.MonoTlsProvider struct MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27; // System.Attribute[] struct AttributeU5BU5D_t777BEFAB7857CFA5F0EE6C3EB1F8F7FF61F00A17; // System.Byte[] struct ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821; // System.Char[] struct CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2; // System.Collections.Concurrent.ConcurrentDictionary`2/Node<System.Guid,System.Int32> struct Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F; // System.Collections.Concurrent.ConcurrentDictionary`2/Node<System.Guid,System.Object> struct Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98; // System.Collections.Concurrent.ConcurrentDictionary`2/Node<System.Guid,System.Tuple`2<System.Guid,System.Int32>> struct Node_tB6122E59E2D4E1166A428A91D507C20E203EE155; // System.Collections.Concurrent.ConcurrentDictionary`2/Node<System.String,System.Object> struct Node_t207F64C66D20F5A709A23309B0E340382B383BA7; // System.Collections.Generic.Dictionary`2/Entry<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/EventRegistrationTokenList>[] struct EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE; // System.Collections.Generic.Dictionary`2/KeyCollection<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/EventRegistrationTokenList> struct KeyCollection_tCBE2F198CA0AEB0DFAAAF6140E0E5691BC609FB8; // System.Collections.Generic.Dictionary`2/ValueCollection<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/EventRegistrationTokenList> struct ValueCollection_tB5149B437781BF8336840F10322E4D5C78C573F2; // System.Collections.Generic.Dictionary`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/EventRegistrationTokenList> struct Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215; // System.Collections.Generic.Dictionary`2<System.String,System.UriParser> struct Dictionary_2_tB0B3F0D7A7E98EDBC0C35218EEA8560D1F0CCFCE; // System.Collections.Generic.IEqualityComparer`1<System.Object> struct IEqualityComparer_1_tAE7A8756D8CF0882DD348DC328FB36FEE0FB7DD0; // System.Collections.Generic.List`1<System.Int32> struct List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226; // System.Collections.Generic.List`1<System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken> struct List_1_t539EC6FA9B0346406B6F89DAED4E2BA45FE380E5; // System.Collections.Generic.List`1<System.Text.RegularExpressions.RegexNode> struct List_1_tA5CDE89671B691180A7422F86077A0D047AD4059; // System.Collections.Generic.List`1<System.WeakReference`1<System.Diagnostics.Tracing.EtwSession>> struct List_1_tEEFE66C839CAE2489B81784A98C68D5F1CD8B5BD; // System.Collections.Hashtable struct Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9; // System.Collections.IDictionary struct IDictionary_t1BD5C1546718A374EA8122FBD6C6EE45331E8CE7; // System.Collections.KeyValuePairs struct KeyValuePairs_t58C6D38D4557E04680306FEFA05058B43E879D29; // System.ComponentModel.AttributeCollection struct AttributeCollection_tBE6941BB802EDE34B7F986C14A7D7E3A4E135EBE; // System.ComponentModel.EventDescriptor struct EventDescriptor_tAB488D66C0409A1889EE56355848CDA43ED95222; // System.ComponentModel.IComponent struct IComponent_t2227ADCB5304EAFD55C447E3EE8453437941B4C6; // System.ComponentModel.IExtenderProvider struct IExtenderProvider_tD515C7071D35798A56894C8829AFB46AB868CAB7; // System.ComponentModel.ISite struct ISite_t6804B48BC23ABB5F4141903F878589BCEF6097A2; // System.ComponentModel.MemberDescriptor struct MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8; // System.ComponentModel.PropertyDescriptor struct PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D; // System.ComponentModel.TypeConverter struct TypeConverter_t8306AE03734853B551DDF089C1F17836A7764DBB; // System.Diagnostics.StackFrame struct StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00; // System.Diagnostics.Tracing.ActivityFilter struct ActivityFilter_t0752727D4698E64AAC232FD9DB1FC68735A9EAE8; // System.Diagnostics.Tracing.ConcurrentSetItem`2<System.Collections.Generic.KeyValuePair`2<System.String,System.Diagnostics.Tracing.EventTags>,System.Diagnostics.Tracing.NameInfo> struct ConcurrentSetItem_2_tF75C8666AA6AE859719571013C6765518785D0DA; // System.Diagnostics.Tracing.EtwSession struct EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D; // System.Diagnostics.Tracing.EventFieldAttribute struct EventFieldAttribute_tCD8E252D7D673724F2980B794282B715E16A675C; // System.Diagnostics.Tracing.FieldMetadata struct FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC; // System.Diagnostics.Tracing.NameInfo struct NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Boolean> struct PropertyAccessor_1_t91515814B13611840CA3A9B303F42E8D101BC8C6; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Byte> struct PropertyAccessor_1_t76A09AC467B136CF5EC6B6B87B61C890FA304251; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Char> struct PropertyAccessor_1_t77FF65729F94D1F6289B531CF4D518A174AF2D1A; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>> struct PropertyAccessor_1_tB1AFBC61BA4EBFE324C03DBE1E464DB1F154D929; // System.Diagnostics.Tracing.PropertyAccessor`1<System.DateTime> struct PropertyAccessor_1_tE2902A5668A92CA5B639D08AB01C3139DF026E1A; // System.Diagnostics.Tracing.PropertyAccessor`1<System.DateTimeOffset> struct PropertyAccessor_1_tE5E98447AA74D36CBDA22BC11ECB6C81D8C4B124; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Decimal> struct PropertyAccessor_1_t1E46E1E18774D1D4AFE1B94587A2BC07FCA64B10; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Diagnostics.Tracing.EmptyStruct> struct PropertyAccessor_1_t8A286BF41EC06652684F1E1D77BADAB779606FEE; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Double> struct PropertyAccessor_1_t06EAC9A5AD164B3E7CC1E4CF630AB7D7644B89CC; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Guid> struct PropertyAccessor_1_t0EA164D1C4097ED8235B4854F131FF29F743C19C; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Int16> struct PropertyAccessor_1_t9BEEEE2DB5F3A5DAA08BD401E4916672670F1167; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Int32> struct PropertyAccessor_1_t68CDB63C5FD6B75A1A3D4FCDBA62D41AE2DF5E2D; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Int64> struct PropertyAccessor_1_t642E402A4B28B9F284B4E63513358E6F5A504881; // System.Diagnostics.Tracing.PropertyAccessor`1<System.IntPtr> struct PropertyAccessor_1_t0163EA39898F99A880934A940D8B6B67ABE29837; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Object> struct PropertyAccessor_1_t4623C9CF588D34C72BB23E9B4AEB4181427660BA; // System.Diagnostics.Tracing.PropertyAccessor`1<System.SByte> struct PropertyAccessor_1_tDEC48EB6D455BDA2D94EE7334E5F69E5D0E1BF95; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Single> struct PropertyAccessor_1_t54DE0AFAD9E346649DB941CEFFE1C8099FDAC153; // System.Diagnostics.Tracing.PropertyAccessor`1<System.TimeSpan> struct PropertyAccessor_1_tABB24E405A2F455A906285AE90A222340A188133; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt16> struct PropertyAccessor_1_t28FD3DDC00466E807B268B437BFB1BE0B7DA5C24; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt32> struct PropertyAccessor_1_tFAF42CF36FE9C4F2D3B9D95A6981320A0A37252E; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt64> struct PropertyAccessor_1_t73256E05645ED710D9E64D5986EEEA9BD553D1DF; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UIntPtr> struct PropertyAccessor_1_t970F8509053D180DF6A09C1D17C08EEC61DF40EF; // System.Diagnostics.Tracing.PropertyAnalysis struct PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A; // System.Diagnostics.Tracing.TraceLoggingEventTypes struct TraceLoggingEventTypes_t9CC0B45F554DBE11BA54227A704E1AC027E5DD25; // System.Diagnostics.Tracing.TraceLoggingTypeInfo struct TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F; // System.Enum struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521; // System.IFormattable struct IFormattable_t58E0883927AD7B9E881837942BD4FA2E7D8330C0; // System.IServiceProvider struct IServiceProvider_t4EDB9848587638C3988434AA46E63D9EB85005EF; // System.ITupleInternal struct ITupleInternal_tF49169C678DFB8C15124E55AD72513BA3BA968AD; // System.Int32[] struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83; // System.Object[] struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A; // System.Reflection.MethodBase struct MethodBase_t; // System.Reflection.MethodInfo struct MethodInfo_t; // System.Reflection.ParameterInfo[] struct ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694; // System.Runtime.CompilerServices.ConditionalWeakTable`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/NativeOrStaticEventRegistrationImpl/EventRegistrationTokenListWithCount> struct ConditionalWeakTable_2_t29A94EE935DB16A7FA33761A8766881A513B3CAF; // System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/NativeOrStaticEventRegistrationImpl/TokenListCount struct TokenListCount_t86E03CD21D37F3526546F9A171228599EE74AE73; // System.Runtime.Remoting.Contexts.IContextAttribute struct IContextAttribute_t79D0ADC6F379C29D95950D6B8348D6DA4A356BD5; // System.Runtime.Remoting.Contexts.IContextProperty struct IContextProperty_t837256B8E5BA4AE87C47552FE990D460A3818311; // System.Runtime.Remoting.Messaging.Header struct Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C; // System.Runtime.Remoting.Services.ITrackingHandler struct ITrackingHandler_t6441C7FB66CA24E96B206C2F884F496993BDD734; // System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache struct SerObjectInfoCache_t32BC33838021C390DC94B45E12F87B2E6BC38B62; // System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit struct SerObjectInfoInit_tD7277DACBD8DA9334482500C1ECE6574FA6CFCF2; // System.Runtime.Serialization.Formatters.Binary.TypeInformation struct TypeInformation_t0D3CF8347F5EA65A6D5B8D6C0D0F97A96E351F17; // System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo struct WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00; // System.Runtime.Serialization.ISerializationSurrogate struct ISerializationSurrogate_t23038B6F4E182A38826DE971AAC78E29FDBFA816; // System.Runtime.Serialization.SerializationInfo struct SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26; // System.Security.Cryptography.RandomNumberGenerator struct RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2; // System.String struct String_t; // System.String[] struct StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E; // System.Text.RegularExpressions.CachedCodeEntry struct CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65; // System.Text.RegularExpressions.Capture struct Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73; // System.Text.RegularExpressions.CaptureCollection struct CaptureCollection_t486E24518017279AA91055BEE82514CAE7BAE647; // System.Text.RegularExpressions.ExclusiveReference struct ExclusiveReference_t39E202CDB13A1E6EBA4CE0C7548B192CEB5C64DB; // System.Text.RegularExpressions.Group struct Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443; // System.Text.RegularExpressions.RegexCharClass struct RegexCharClass_t56409AACB9ADE95FA5333FC5D94FAADAF564AE90; // System.Text.RegularExpressions.RegexCharClass/SingleRange struct SingleRange_t7B8E395E75FA456AB2834933C1ECA2007EEADEE0; // System.Text.RegularExpressions.RegexCode struct RegexCode_t12846533CAD1E4221CEDF5A4D15D4D649EA688FA; // System.Text.RegularExpressions.RegexFC struct RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52; // System.Text.RegularExpressions.RegexNode struct RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75; // System.Text.RegularExpressions.RegexRunnerFactory struct RegexRunnerFactory_t0703F390E2102623B0189DEC095DB182698E404B; // System.Text.RegularExpressions.SharedReference struct SharedReference_t225BA5C249F9F1D6C959F151695BDF65EF2C92A5; // System.Threading.ManualResetEvent struct ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408; // System.Tuple`2<System.Diagnostics.Tracing.EventProvider/SessionInfo,System.Boolean> struct Tuple_2_tFB909554E9029649923EA250C43FBDD4F4548252; // System.Tuple`2<System.Guid,System.Int32> struct Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E; // System.Tuple`2<System.Guid,System.String> struct Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087; // System.Tuple`2<System.Int32,System.Int32> struct Tuple_2_t28940D9AA109CFB8C1D8CAEDD0EAF70EAD2F7C63; // System.Type struct Type_t; // System.Type[] struct TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F; // System.UInt32[] struct UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB; // System.UriParser struct UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC; // System.ValueType struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF; // System.Void struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017; // System.WeakReference struct WeakReference_t0495CC81CD6403E662B7700B802443F6F730E39D; // System.WeakReference`1<System.Diagnostics.Tracing.EtwSession> struct WeakReference_1_t873076F0E617BCC31EB3C0C9D10324B896FB644C; IL2CPP_EXTERN_C RuntimeClass* String_t_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C const uint32_t IPropertyValue_GetDoubleArray_m796ECF392FE47A8F5AF69F16B1B6694666B13D6B_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_GetGuidArray_m0147631B0DD882717A53BA395C30E070B164BBF6_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_GetInt16Array_m9E714AF77215627B9C8119AF3FA6508C50D206FE_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_GetInt32Array_m799E55885F6A13610A5051F1C2917A0234B9AC03_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_GetInt64Array_m2A3152938A9BBA08D7357BC63F400F8C4FD7C76B_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_GetSingleArray_m641609788D53A6254B05EC12B73EC7BACB56D33F_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_GetStringArray_mC5D40C9E740A5FB497BDB39B81487A5DDB3129B6_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_GetUInt16Array_m4D5B5FB0A7FC0A22E80141B159783C2A0B0FBD0B_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_GetUInt32Array_m335BBA978CD7ACD928B58B3D525C68E2B4DE99FF_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_GetUInt64Array_m9B9E15BA794B247E403386503A1F31881DA86BF7_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_GetUInt8Array_m7348AAFD3D46CD731DD94146E5E60CFBD1F10553_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_get_IsNumericScalar_m1C1F22011064BCF30C5B7E675AC389AF33EC8E5F_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IPropertyValue_get_Type_mB7A711F071E38F3BAEC1862D436AC4AC6DC07FAB_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t IReferenceArray_1_get_Value_m1F78D28250888689FBE03921ACFC30CBFD850C1F_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId; struct DateTime_t9D0F9E236B6200FF6413DD837230D25E285E7795 ; struct EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ; struct Guid_t ; struct IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7; struct IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B; struct IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E; struct IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39; struct IClosable_t5808AF951019E4388C66F7A88AC569F52F581167; struct IIterable_1_tCAF4089D0AFDC422E5D221DD5201B9B3CD3FE719; struct IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616; struct IIterator_1_t2A46D2833D20F4CEA65729D7D4030B73383D0FBC; struct IIterator_1_t3557A30DEED19D31BAF82BE4B75C2FFDEC593169; struct IIterator_1_t434D274362AD0E7DED4E226329536215034B75E0; struct IIterator_1_t458243F53091F73FFE3C2BEEDC5FBEB85989F071; struct IIterator_1_t46A935C2A23637200F19BAEE4C057B011483C57F; struct IIterator_1_t5ED96EAD78CEF2D860EDB4DCF4672C15C13F6B53; struct IIterator_1_t62801DBDE6FD9C74727BB69771A29FE27EFE219A; struct IIterator_1_tA43F6FC1D4C77D938D70C30796F03C0C9D01652B; struct IIterator_1_tB764AD11C14EE09E15ED8EACFD2CB116C9B9DB3B; struct IIterator_1_tBA936F7881A5A840CF1B4B2DF937773E7FDCA037; struct IIterator_1_tCAD42EE851E2CAECEC472238A1AE950BDF1099D9; struct IIterator_1_tFCCB84984712ACE35E2C9D0FFBB7CFE2CD913B43; struct IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6; struct IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667; struct IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381; struct IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695; struct IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994; struct IVectorView_1_tAB52227C1C0CC25665FDD31E1FF8C4E46A940871; struct IVectorView_1_tBDAB91BD4A726AA8106B0AE077F3E78FA4ABB42F; struct IVectorView_1_tD689FA5E6085AE1F3D00699A1B2536D0A4C05EB6; struct IVectorView_1_tD6D0F50A474BF45FA151737392BAEB6E3AEAE1FB; struct IVectorView_1_tDE2EEE73476A944B586B63E63CD788FD6B47CA84; struct IVectorView_1_tEF88054A013223D9E07F80DC4159F8A647454A23; struct IVectorView_1_tF86541D44ACF981FDB521F08E22C29B6A7F4AAD2; struct IVector_1_tFA03AAC34E309F0CE0766A71DB13E7C29DC019F1; struct ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB_marshaled_com; struct ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB_marshaled_pinvoke; struct Point_t7C3010F37F6E9DB2B792BBDAFF58C3232A3356AC ; struct Rect_tD277A11EF3F3CC633796B8FF0BC4822826E72BB0 ; struct Size_tBE9F75FCA10276DC3998237A8906733B64FB75A2 ; struct TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ; struct BigIntegerU5BU5D_t15EB0DC5DA051C4F0C1BECDCD8D7AB250F0CDF4B; struct GetProxyDataU5BU5D_t870800C064CCA26ABE2F8845C72953AF0776BD8F; struct CFProxyU5BU5D_t3B5E7E8CAA3B53B7597164277191484DA246270D; struct CipherSuiteCodeU5BU5D_t0EC37AD4A25BB94BA9AB4A9C0C4802BD79A07CC4; struct MonoTlsProviderU5BU5D_tF7F00997751EBE1A93125445A5076F0F60817618; struct unitytls_ciphersuiteU5BU5D_tB2A338AEB9C1D4DA86DC5B9E9D4E10BA52A3F1C3; struct ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821; struct NodeU5BU5D_t76D94D749A2EF1CFE3BD38B8063295B1CC903733; struct NodeU5BU5D_tFD478954EB36F089D130F06A1108F9AF46C87B6F; struct NodeU5BU5D_t0A6873D4FD52FBAEBDED2BBA80FC5EAFED7232DE; struct NodeU5BU5D_t3EF9AE2F2694F03040F5BFB8940E32AD000961F1; struct SlotU5BU5D_t939FE2327F0FD4530A5F6F280EAA0C0EB290C652; struct EntryU5BU5D_tE06666ABDFCBE3F36B98FC925198596DA70BC32A; struct EntryU5BU5D_tF17AD66B70C825E1B913ABAABE4FD682D05469FE; struct EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE; struct EntryU5BU5D_t192B2E0E317C48C054DE7FA9815563A00A965868; struct EntryU5BU5D_tAC5BED8A08F53471095667772D19D235316BBD3E; struct EntryU5BU5D_t60C6F39C129F0ED5FC3442C36FBFFB0170A77B12; struct EntryU5BU5D_tF631DE5F562D430304C7F0A2F6BBE60DD1E0827B; struct EntryU5BU5D_t40A3139ED5D085E35C0FFBF75DD94D0BCDDBFA18; struct EntryU5BU5D_t78690744AC973DECF2010068DBDBD973FD216AAF; struct EntryU5BU5D_tCE3D39EBBB127037F170BD1FBADFA7D55D88E594; struct EntryU5BU5D_t3E794099C0DF651976750CB2F90140C061415231; struct Dictionary_2U5BU5D_tD3309DB65D0F07B7A2F94263B5CD68565F2FAD57; struct KeyValuePair_2U5BU5D_tF3343F162E13DB27A0D45D159E3633F14C8FC328; struct KeyValuePair_2U5BU5D_t7FAEDA541660EE14F76C26D48E51C98634127BF7; struct KeyValuePair_2U5BU5D_t920EB0A30DD5CE3BAAF02931D1ABDF93367AC84A; struct KeyValuePair_2U5BU5D_tD8A7C3828874A98B6D25D6C411D926CB67B649F5; struct KeyValuePair_2U5BU5D_t874539E8F90CFCB10C2DEF898A71C27EDBDA880A; struct KeyValuePair_2U5BU5D_tF0FB359B2C5A4EE870CEE05564EAD5BA77A4EABA; struct KeyValuePair_2U5BU5D_t4513DEBBCAD0B554A63F23BAC781585139930E6F; struct KeyValuePair_2U5BU5D_t23D15007BC6A36E8076DAE37DFA83F2E858F885D; struct KeyValuePair_2U5BU5D_t460CCDE03B7109EA75C3FB6A7A4A8B9E67161E4E; struct KeyValuePair_2U5BU5D_t3A5BBBFF553441D624AB0DECDAD2510AC02AE461; struct KeyValuePair_2U5BU5D_tED7FBC66008AE10A59C8AB9D6375CCA0AF3AA16D; struct KeyValuePair_2U5BU5D_t0769A388FE536964551A011DC2B45DE7E302E0DE; struct KeyValuePair_2U5BU5D_t90BD5627DE1270CB7D2384CFC863BF0E5C371EDD; struct KeyValuePair_2U5BU5D_t61849670E38B0EAF0382693CFFB9BCC4AD901E16; struct List_1U5BU5D_tCC3E77E36AEB05101B85F6A19023078C5A249C32; struct bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A; struct IDictionaryU5BU5D_t748B6A2E31F1F1AA03A176863C763924A5F4F72D; struct KeyValuePairsU5BU5D_tF17967313356B9717F99870B41620E8D73106290; struct AttributeEntryU5BU5D_t82EF07E3984B106E346A6B35336772424C0FCB5A; struct EventDescriptorU5BU5D_t813A4DE1E217CA821E8389F24AB1562B0A5458C4; struct IComponentU5BU5D_t5CEA92CD84EBC4469803207406088BEE73CB3E16; struct IExtenderProviderU5BU5D_t98121652302DA48EF1CB12054524D95ED4B63031; struct ISiteU5BU5D_t26A1BA57EE8683FC59C3BDD15CA00512F5A520A8; struct MemberDescriptorU5BU5D_tD49EF2BB34816B1F5C1C82103F7DBDA5DC92323E; struct PropertyDescriptorU5BU5D_tBC9023EDDB37EAAAA6FB719C13CEF781F74B2C1F; struct StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D; struct ConcurrentSetItem_2U5BU5D_tC278453C1AF702B8BFFE187E54373E016707501C; struct EtwSessionU5BU5D_t8797EC7C4B69B091119AFD2A22F03049811748FA; struct SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906; struct EventMetadataU5BU5D_tA6A4B1FE9D3A53D9941A4C63D95399E4594ABE94; struct FieldMetadataU5BU5D_tBDB9B5E46662C93C301E095F1DC2B0B1B8FE9796; struct NameInfoU5BU5D_t90BE93F86BB5CC5274C6ED53B8BB62D1E10A7EE7; struct PropertyAccessor_1U5BU5D_t0344EA271D17E33B12F63AA0E4D7081F7FD8E1AE; struct PropertyAccessor_1U5BU5D_t195F0F36811F05C10CA87BAA1D4FC062F8A2350E; struct PropertyAccessor_1U5BU5D_tCA834308E5FFC40F4B1F58F3C3C4852E97DD8E71; struct PropertyAccessor_1U5BU5D_tB736D31F533D493536F03E7A68604F14D22C5DE5; struct PropertyAccessor_1U5BU5D_t8DDBD16FE77A50AFA9DFB22D845C7A0CB7451AD8; struct PropertyAccessor_1U5BU5D_tEE7E0DDEC0A7C0D66500B6148DC1D9F04A9D7955; struct PropertyAccessor_1U5BU5D_t73DC8E006EAFFF49F58BED828074A72E9B95A6FC; struct PropertyAccessor_1U5BU5D_tC6A49FE868920EA1C574DFC56800A4C2447E6B33; struct PropertyAccessor_1U5BU5D_t603AE210B47C7E236734AD3F81CCFDC00F7A13B3; struct PropertyAccessor_1U5BU5D_tF6C2CAAFC925A4E800505C243936B2AFDE44CD78; struct PropertyAccessor_1U5BU5D_t3DECFBC719A5C5BB4DB90E007C7A23EDFDCE6FEA; struct PropertyAccessor_1U5BU5D_tA1A5D851306F095D5FDBD238CE7780077DBE483E; struct PropertyAccessor_1U5BU5D_t2D7AD1CC69AD124C7213EAB3CBAE90092547AFB8; struct PropertyAccessor_1U5BU5D_t3C8C0961507B88D67EA2C49E216118B14501313A; struct PropertyAccessor_1U5BU5D_tF41489193DEABF7A3791FA30E9420AD5C8F88116; struct PropertyAccessor_1U5BU5D_t85430067C5DB497B78E50EC645FA7AC26A6E9D15; struct PropertyAccessor_1U5BU5D_t8BA926E8A82DD6E154771C0BE784F443F0002613; struct PropertyAccessor_1U5BU5D_tD1029E0A51A538E4B49A6CF1E1147534E60DCB56; struct PropertyAccessor_1U5BU5D_t3FF9EB537E7BA2BF324F46D2E1C584FAE5E7D96F; struct PropertyAccessor_1U5BU5D_tF57AE5C1C779C05869943B1C16C894A2836E9C24; struct PropertyAccessor_1U5BU5D_tEA8F518DB9B112A0A17907C845D7710346E62001; struct PropertyAccessor_1U5BU5D_t77A35E35098D46F12371B5D926D9EAB7513E01A3; struct PropertyAnalysisU5BU5D_t09688E0B42BB5496A80C66F12C2550CA072E2FFB; struct TraceLoggingTypeInfoU5BU5D_t1B6542B40A911FABF686F860C2F97C7E09FD08AC; struct DoubleU5BU5D_tF9383437DDA9EAC9F60627E9E6E2045CF7CB182D; struct EnumU5BU5D_t89BCD01877A8CDBF7729DE77C6185E8DC1432BCA; struct GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF; struct IFormattableU5BU5D_t7338CC3879FB5BB49CB5F427C3EA476AD63496DD; struct IServiceProviderU5BU5D_tA2F273BFAFBD0608D953C470861069D3EB3CC705; struct ITupleInternalU5BU5D_t8885514CCC735B76B6AC7402269CD7C35E9BC87D; struct Int16U5BU5D_tDA0F0B2730337F72E44DB024BE9818FA8EDE8D28; struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83; struct Int64U5BU5D_tE04A3DEF6AF1C852A43B98A24EFB715806B37F5F; struct GCHandleU5BU5D_tA6EC6308F1B33AD5233BD26DE6FB431B6CEF1DB7; struct EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5; struct EventRegistrationTokenListU5BU5D_t1EA0FC1ACA390085AA58BF7B5F9785AFC6E6B9DA; struct EventCacheEntryU5BU5D_t0BB379F5197C121A563B0B1157E20269DCD426F0; struct EventCacheKeyU5BU5D_tCF6AAC58B44EE3AFAA3A7E0067CB3054F4780917; struct IContextAttributeU5BU5D_t5EA1C2D7C749430972D5C6B06043A6FF554E2E0C; struct IContextPropertyU5BU5D_tFBBEED74F171FF63A1A119A5035D80F21E3F19CB; struct HeaderU5BU5D_t5EDB44F2B731039304163091DF818493DBB049AC; struct ITrackingHandlerU5BU5D_t660E4548BC8B5A92AC4A3FB21F6D161C6078253A; struct WriteObjectInfoU5BU5D_tBD618A460F27662FB362B41BF436235197E00EB9; struct SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5; struct StringU5B0___U2C0___U5D_tE93164AE7893C771D8246C63F72E776F0207282B; struct StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E; struct CachedCodeEntryU5BU5D_t6CC8D8E1E2EA6307F49B4077BDF2FD1E7AA6D2DA; struct CaptureU5BU5D_t50E7AD7A0DD83F47A18FBA28E57CCCCFC601F452; struct GroupU5BU5D_t40CFA194F8EE1BF5E560B7C1E2C8F48220C93910; struct LowerCaseMappingU5BU5D_t70011E1042888E1D071920A9171989A479C0618D; struct SingleRangeU5BU5D_tAB14350EBD5923A7A56245583FE00B16378B6D36; struct RegexFCU5BU5D_tCABE05C26F3229DFDD9C8A86F3BA828C18F02D72; struct RegexNodeU5BU5D_tB18DB177D95C55B94FF9644849C7D38F5CD12CB8; struct RegexOptionsU5BU5D_tCEBB5AC9D93A04FE8FCBB9E78F6F703149D5C41D; struct Tuple_2U5BU5D_t07F0E680B0947178F09CAF66896A10E34ACB3627; struct Tuple_2U5BU5D_t4AC9A23B21F9BB1E165F546CBE1AF1FCD0BE27B1; struct Tuple_2U5BU5D_t60B721DB28313BACF070C3F76590C2994570A9ED; struct Tuple_2U5BU5D_tAF2E50753EFC1B403E3794EC8D085724169D6513; struct UInt16EnumU5BU5D_t59CC59ED969571152B93967388F196CADE982BAF; struct UInt16U5BU5D_t2D4BB1F8C486FF4359FFA7E4A76A8708A684543E; struct UInt32EnumU5BU5D_t2778403AF5991B56F3099A77451B997447A7780C; struct UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB; struct UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4; struct UIntPtrU5BU5D_tD5404ABA0AA72923421D3F931F031EEEC654429E; struct UriParserU5BU5D_tF9983436A3B9D7F826992B2B7155A7B68F6C7B42; struct ValueTypeU5BU5D_t855287EAC882F1430BF9355BD79647C796DF411D; struct WeakReferenceU5BU5D_t1F1010FFAFED92D05022B7B2927DFA0E1F114648; struct WeakReference_1U5BU5D_tC2FFBB710D798A2B84E799DD3F89D27EA03519DF; IL2CPP_EXTERN_C_BEGIN IL2CPP_EXTERN_C_END #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Object // Windows.Foundation.Collections.IIterable`1<System.Collections.Generic.IEnumerable`1<System.Int32>> struct NOVTABLE IIterable_1_tFC13C53CBD55D5205C68D5D9CA66510CA602948E : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_m08AE3205A8C461CBBFD801DF50F22BB295E6F11E(IIterator_1_t5ED96EAD78CEF2D860EDB4DCF4672C15C13F6B53** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.Collections.Generic.IList`1<System.Int32>> struct NOVTABLE IIterable_1_tAC2A768318A3B5843062FBB56DD5E7405E41A302 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_m7CA6136A702F60BC9D76703E41DAFEFFB8630CF1(IIterator_1_tA43F6FC1D4C77D938D70C30796F03C0C9D01652B** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.Collections.Generic.IReadOnlyList`1<System.Int32>> struct NOVTABLE IIterable_1_tC72961683153DB1953DB49F4924A4A2961043439 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_mEA3E0A2E3EBF3C5119B790F2DB2E361610F5E564(IIterator_1_t3557A30DEED19D31BAF82BE4B75C2FFDEC593169** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>> struct NOVTABLE IIterable_1_t90987ECDCBD7C77E6BDFF16CD5ED991149362CAF : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_m33BF2BEBCAC5E9EBB60FE61CEA4A6101811956FC(IIterator_1_tBA936F7881A5A840CF1B4B2DF937773E7FDCA037** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>> struct NOVTABLE IIterable_1_t5C4A5054D9907970DC1297CE05EFABE96CBA9715 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_mBBF5C8AF27EA6CA57D284C5E5A2698703192F44A(IIterator_1_tCAD42EE851E2CAECEC472238A1AE950BDF1099D9** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.Collections.Generic.KeyValuePair`2<System.String,System.Type>> struct NOVTABLE IIterable_1_t370B70EC8C5967E4B3C228982CD5AA3601AB209D : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_m6DF74C1336D9C10069917A4FED26C3720B17DFD7(IIterator_1_t46A935C2A23637200F19BAEE4C057B011483C57F** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>> struct NOVTABLE IIterable_1_t694E13FCA5ED174A0E2A92EE7E1D1EBC561105A3 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_m275E902DE6A8F069FC1B41D78868D8A4A0C31F24(IIterator_1_t2A46D2833D20F4CEA65729D7D4030B73383D0FBC** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.Collections.Generic.KeyValuePair`2<System.UInt64,System.String>> struct NOVTABLE IIterable_1_t97319FB399F5CF03454CFE8FFA2069559E97F4AB : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_m2E655A1A60C1239F728630271C24A57F0BD528CA(IIterator_1_tB764AD11C14EE09E15ED8EACFD2CB116C9B9DB3B** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.Collections.IEnumerable> struct NOVTABLE IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_mFFB1B49776648BCFAE14E56BCC852C171A2EED56(IIterator_1_t62801DBDE6FD9C74727BB69771A29FE27EFE219A** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.Collections.IList> struct NOVTABLE IIterable_1_tBA530A414D1520B7E2769DDA0F4ADD1881CEA550 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_m551F37D94BCD6465A842A30F21A34B055D1150EB(IIterator_1_t434D274362AD0E7DED4E226329536215034B75E0** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.IDisposable> struct NOVTABLE IIterable_1_t9040704BA642F3FA15C2C50AF7FDF3484F397EE5 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_m66AE02B95C12AA29398F853CBBCB981F758D1D7B(IIterator_1_tFCCB84984712ACE35E2C9D0FFBB7CFE2CD913B43** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.Object> struct NOVTABLE IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) = 0; }; // Windows.Foundation.Collections.IIterable`1<System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken> struct NOVTABLE IIterable_1_t02263379F0E72EB0527393B43E614C00E4E66EE9 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IIterable_1_First_mC82BA86580F5BACDDCBDF988C2E2B1BAF9214DD0(IIterator_1_t458243F53091F73FFE3C2BEEDC5FBEB85989F071** comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.Collections.Generic.IEnumerable`1<System.Int32>> struct NOVTABLE IVectorView_1_tA2A45A7161239ABAB492E733C9B2C725BBF459CA : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m9516363B8735EA2063ECA845F5EE75B711DD9E94(uint32_t ___index0, IIterable_1_tCAF4089D0AFDC422E5D221DD5201B9B3CD3FE719** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0F3643297D94A101CCC4529B406A4801528C52A7(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m84893DB170EBC43F3EF909E299B9E8B7B677EA78(IIterable_1_tCAF4089D0AFDC422E5D221DD5201B9B3CD3FE719* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m22D3610889BA4BDF85B3B028ED558C9B577D1EBA(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IIterable_1_tCAF4089D0AFDC422E5D221DD5201B9B3CD3FE719** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.Collections.Generic.IList`1<System.Int32>> struct NOVTABLE IVectorView_1_t459C34CB8393ED708686F216EB76D7B0B4BD9A5F : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD4BB8EAABBC824C4EF3A0C172A49DBCEFF007585(uint32_t ___index0, IVector_1_tFA03AAC34E309F0CE0766A71DB13E7C29DC019F1** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m38D4BE77B7E0D81D3EB702F20C253CA635082816(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m1BA008F927E04857A91873501055371217ACF754(IVector_1_tFA03AAC34E309F0CE0766A71DB13E7C29DC019F1* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m8D89E3F20A1DEF5D079D0FB04FFF388FDD576D62(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IVector_1_tFA03AAC34E309F0CE0766A71DB13E7C29DC019F1** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.Collections.Generic.IReadOnlyList`1<System.Int32>> struct NOVTABLE IVectorView_1_tBB43AED4A59DE8FF3A968C8C4D6432A28AA24BB6 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mF7F52C4D6EA65FAC0A5B2F7D5AA2F74B25854183(uint32_t ___index0, IVectorView_1_tAB52227C1C0CC25665FDD31E1FF8C4E46A940871** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m802C8606F6157302509A7594D448AD57DC6A50B4(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m7AD97820B7630E632287AD069C5599BEC3F28C67(IVectorView_1_tAB52227C1C0CC25665FDD31E1FF8C4E46A940871* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_mBE23AB4CC5108592945F8E99B724FB3E0A653EF9(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IVectorView_1_tAB52227C1C0CC25665FDD31E1FF8C4E46A940871** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>> struct NOVTABLE IVectorView_1_tBDAB91BD4A726AA8106B0AE077F3E78FA4ABB42F : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m2FFC0149A8C59F151B6A10401955C4666E76B782(uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_mF9728760FD2B462B6E403376E4532C5F63A75CCB(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_mC5E2D14FBB1A97EBF6B6E8AE4F3596B7629AE7B1(IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m4B1B66F6C8E90CA6509B458A64F8DFA74F87A2F1(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>> struct NOVTABLE IVectorView_1_tD6D0F50A474BF45FA151737392BAEB6E3AEAE1FB : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mDA23EFB974CD44643AE0DB705D033D399F542B30(uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m4039024255CA2ABF9FC7FD2B45479D54AA3255DD(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m4063F881DC6A7F4F1941CC458C2F2274867F0267(IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m58C7D281A6DA3E6C71DA87095D14B6D6DB6E6B29(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.Collections.Generic.KeyValuePair`2<System.String,System.Type>> struct NOVTABLE IVectorView_1_tD689FA5E6085AE1F3D00699A1B2536D0A4C05EB6 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m241320C639B15A2BC7DD70E9DB97D45010B2B930(uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m34A00F40437FB5F7D13D17D7FD3F83C329C55F6B(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_mAE736EBF6CF0B6314FB5F4607EB7E7724CCBB03A(IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_mCCCE1DCB8E23E0323B4A3F2CA72BC8AF6F1DD8AB(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>> struct NOVTABLE IVectorView_1_tEF88054A013223D9E07F80DC4159F8A647454A23 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m93F380F63CBDE7D42B6D5C811AF52FC0F8347A7B(uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m06EBF4E201B05E92D2176F99AE7F879410D631AD(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m35CAD9C0DA3D52CE07205ADE741A99AFC645061C(IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m2874A25B5505F2A842D7430C46F0A853BE7171BD(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.Collections.Generic.KeyValuePair`2<System.UInt64,System.String>> struct NOVTABLE IVectorView_1_tDE2EEE73476A944B586B63E63CD788FD6B47CA84 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m2AA9257A51EF11F40AE442C55D13A9BF44001280(uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_mDBFF54AA03EBF2E99848857C9CD886FB93A6A029(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m2F8E68BBAFD0C27FC9A7104DC3DCA9A802B686BC(IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_mA67B44D96F5FF264D6F48544D1E956C778FF1090(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.Collections.IEnumerable> struct NOVTABLE IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mE92F40A15F7A4160BC73DC34BE2B952CCB6A6CC9(uint32_t ___index0, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m6C9A5EB233BDD0D6840D71594DBEC7005E572679(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m624FC07BF1FB0CE5A3988E9DC8FE4F4DEFA7BB19(IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_mA6B7C5129191F9FABD887800915DB7D141B7BA3D(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.Collections.IList> struct NOVTABLE IVectorView_1_tBE73E017D41260BDE192983618296A7C175DD39B : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mAB5FBF2E11782C3284709DBFA4DE5F15F3819B10(uint32_t ___index0, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_mBB2E069A39C95E9B799DF56A687C3378593D6DE8(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_mE04A0DB765A4541758E866B3039F1064401BE09B(IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7A30B074D4DE286EDF193293E625DF60ECDBB23A(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.IDisposable> struct NOVTABLE IVectorView_1_tF3B2B40FDDDE17CEA38544E22397D2F5C2698E85 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mF09C0ACF185B36DEE44FC0D08172713153119DE1(uint32_t ___index0, IClosable_t5808AF951019E4388C66F7A88AC569F52F581167** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m3313994A76530A8C4479916841C82C0D08EFAC79(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_mDB1287B8A5CC74E6FCC29981DD88C2C7386EC4E7(IClosable_t5808AF951019E4388C66F7A88AC569F52F581167* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m4955F7C6504C5A36D92A21A0AC6FDD34FF016A93(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IClosable_t5808AF951019E4388C66F7A88AC569F52F581167** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVectorView`1<System.Object> struct NOVTABLE IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVector`1<System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>> struct NOVTABLE IVector_1_tFEF7F9DA29948B44DA7893B2C9EB8FF6BEEC2C4D : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_m4D69EFC63C99361B0BB19D5C6534E5A59A1F1458(uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_m8885F357990CC636A047146BB17C77A0BB4611FF(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetView_m88AC336697A62558F5DE5899107FBAE051A20E8D(IVectorView_1_tBDAB91BD4A726AA8106B0AE077F3E78FA4ABB42F** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_m00F15A95BD6C1279B1DE31748E1CE4292077DDC0(IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_m510EDE7ED1B15F06F62709BC4216CDEA6538038A(uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_mD53D53857E06A314F0D0CBB670DD9DD75E2DD2FE(uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_m49E68BAF41C1A5019A5E5633F8CBDDF9DD8E6212(uint32_t ___index0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Append_m875891B6884E6E9E051F4B4962867194F942AB91(IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_m3D6D6E0E727D38394D9ED10081BACDE12763F237() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Clear_m585F67470BCFA411B47E5EDAA2F5B61DC47F37D6() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_mD266D205B5D0E10768BDC2776C773EE828281109(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** ___items1, uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_mC5399B7F8E8CAB772091BD244489741457D30491(uint32_t ___items0ArraySize, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** ___items0) = 0; }; // Windows.Foundation.Collections.IVector`1<System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>> struct NOVTABLE IVector_1_t43C0F5DE295FA18FE874FAE9C59859C1076B490A : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_m9585AD35A942D29BB864FB78565D1144B8730ACE(uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_mB93A48AD20FE3ADBF8CA29821990989648B07D8C(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetView_m5E632D03E5D61FB91B12316FEEA2C46273F184B4(IVectorView_1_tD6D0F50A474BF45FA151737392BAEB6E3AEAE1FB** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_mA31E516B9FD904C14124D9F11597DFE88192636E(IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_mAABE70B8512C9DACCDB8B894CF0ECADFBA321103(uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_m6783B33D3E53E3BE6E394DBF926075D02349B848(uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_m7DB77D8B1C29B0AC9086B0DE31A610E323E23753(uint32_t ___index0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Append_m309EB720D967EDF9E1E40BA21CADE51897FA32F8(IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_m653EA1C3E47358E13E7873030D76051595FD7F46() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Clear_mE6351B5B1E4670F79D423BB80072FCB05ECDC56D() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_mFF8B8D9E8319CB1DFF46A2CF6986D08AF8F2B7FC(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** ___items1, uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_m0E9990512495E1CB9B8B3369AF86B5DEB374A752(uint32_t ___items0ArraySize, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** ___items0) = 0; }; // Windows.Foundation.Collections.IVector`1<System.Collections.Generic.KeyValuePair`2<System.String,System.Type>> struct NOVTABLE IVector_1_t5F0485520A8D0254DEE5E94F97EBA948DDE39063 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_m3E44F2C56F8B07149A65FC9FD7C7D1738DE88BCD(uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_mBB05C70B6C853F873E80A0EB4E1ED585B910301C(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetView_m507780CE087FD0B63A58E85766AF34C8B4588D87(IVectorView_1_tD689FA5E6085AE1F3D00699A1B2536D0A4C05EB6** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_m86A7953BDAED4A2369564D4CC2CB83161E45C6EB(IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_mC139749D94ABE0A1709D8CF348F588F1BF8EEC70(uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_m6B83035666CC79B654430118101DAB079DD7ADC5(uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_m5563DB19695B7582B2CD41E305295AA7FBB1B5AE(uint32_t ___index0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Append_m0E773601453606A1AE44917B7F48959A52877EAD(IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_m51585A1C26ADA2DC58334D0067FF997AE5851F39() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Clear_m796F168154470E9CCD77525E78D64A3665E627E0() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_m4856A6D19A9FED1226BFA9639FBECBE2BDA81E45(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** ___items1, uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_m1FB29DAB3249EB35642C637ABB086E62F84D42F9(uint32_t ___items0ArraySize, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** ___items0) = 0; }; // Windows.Foundation.Collections.IVector`1<System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>> struct NOVTABLE IVector_1_tF0C62F9DAB76FCE743DD1E461A000B1FFE81EC2E : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_m7BDBB44CF60458D19C4210EFF74E0491DE43C124(uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_mF714AF42287CD8DC5B3D34B431BDEAF6FED388F4(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetView_mF82779D7B3CC849E6B3BBEB6C6C451466EC44920(IVectorView_1_tEF88054A013223D9E07F80DC4159F8A647454A23** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_mE0BDDDBE532E6F97F269A4FA6DD82BA6EF00457B(IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_m3A1C2A1ED772D0AA3E8996C083DCC2628159C3E2(uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_mB782A8AE06971C02BBC8424A70E040DD209D96BD(uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_m205BF0E48193BBAFF27593D57C784A3D9B1A56D4(uint32_t ___index0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Append_m8A3385CFB5A5035AF8BB8D2282F29438BEA29C30(IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_m7D047B2DDB195E88CBB4A03703BED91FB8698425() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Clear_m90EEB90EB745472D6934994FB5F579DB8DCC9EC2() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_m8924F3083810AEED248076297C3AF0695F4533A8(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** ___items1, uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_m3C37C2964BD96E67017FE292E76482434B4032BA(uint32_t ___items0ArraySize, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** ___items0) = 0; }; // Windows.Foundation.Collections.IVector`1<System.Collections.Generic.KeyValuePair`2<System.UInt64,System.String>> struct NOVTABLE IVector_1_t144570271588DE9CAE7195C3D5FF62B82525F659 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_mD3BBC08B6A03F1C914C62F33F0D51C340FB54AA5(uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_mAC3EB732D498A2E26FEBFD81D1BC9DFF2934C7EB(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetView_mCD6258DD92DB72771C9DE2F81E8E01FEE1BEE25A(IVectorView_1_tDE2EEE73476A944B586B63E63CD788FD6B47CA84** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_m8F0860ED42779A9270E28CDE24E21A2440E74767(IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_m3B29A21356415288D82798231D02F8B88C0AAFC3(uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_m35D14D740A1FD703C1E2380D8E1344DC2AFEAB72(uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_mE0A2F88A5529EB6BCA1FAA6D84FF1EBC68FC005B(uint32_t ___index0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Append_m021B7C611A5EF129F9B7CAFB169101F189961B3B(IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_mE9F49E1350320AFF606821E10E2032C8FFEC8C24() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Clear_mC78A76116C4B823554B57D7F45B753F0589BD59D() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_m64B1AAF540503AE9EAFD7F4C9B242009C281B964(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** ___items1, uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_mE533BF3355F82BD8891BC4F4D969D55E76D555A6(uint32_t ___items0ArraySize, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** ___items0) = 0; }; // Windows.Foundation.IReferenceArray`1<System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken> struct NOVTABLE IReferenceArray_1_t54126058B61E38A56F780F9495FFCEE53BBAC98D : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IReferenceArray_1_get_Value_m1F78D28250888689FBE03921ACFC30CBFD850C1F(uint32_t* comReturnValueArraySize, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ** comReturnValue) = 0; }; // Windows.UI.Xaml.Interop.IBindableIterable struct NOVTABLE IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) = 0; }; // Windows.UI.Xaml.Interop.IBindableVector struct NOVTABLE IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) = 0; virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) = 0; virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) = 0; virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() = 0; virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() = 0; }; // Mono.Math.BigInteger struct BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8 : public RuntimeObject { public: // System.UInt32 Mono.Math.BigInteger::length uint32_t ___length_0; // System.UInt32[] Mono.Math.BigInteger::data UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* ___data_1; public: inline static int32_t get_offset_of_length_0() { return static_cast<int32_t>(offsetof(BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8, ___length_0)); } inline uint32_t get_length_0() const { return ___length_0; } inline uint32_t* get_address_of_length_0() { return &___length_0; } inline void set_length_0(uint32_t value) { ___length_0 = value; } inline static int32_t get_offset_of_data_1() { return static_cast<int32_t>(offsetof(BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8, ___data_1)); } inline UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* get_data_1() const { return ___data_1; } inline UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB** get_address_of_data_1() { return &___data_1; } inline void set_data_1(UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* value) { ___data_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___data_1), (void*)value); } }; struct BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8_StaticFields { public: // System.UInt32[] Mono.Math.BigInteger::smallPrimes UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* ___smallPrimes_2; // System.Security.Cryptography.RandomNumberGenerator Mono.Math.BigInteger::rng RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * ___rng_3; public: inline static int32_t get_offset_of_smallPrimes_2() { return static_cast<int32_t>(offsetof(BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8_StaticFields, ___smallPrimes_2)); } inline UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* get_smallPrimes_2() const { return ___smallPrimes_2; } inline UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB** get_address_of_smallPrimes_2() { return &___smallPrimes_2; } inline void set_smallPrimes_2(UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* value) { ___smallPrimes_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___smallPrimes_2), (void*)value); } inline static int32_t get_offset_of_rng_3() { return static_cast<int32_t>(offsetof(BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8_StaticFields, ___rng_3)); } inline RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * get_rng_3() const { return ___rng_3; } inline RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 ** get_address_of_rng_3() { return &___rng_3; } inline void set_rng_3(RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * value) { ___rng_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___rng_3), (void*)value); } }; // Mono.Security.Interface.MonoTlsProvider struct MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 : public RuntimeObject { public: public: }; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.String,System.Object> struct Node_t207F64C66D20F5A709A23309B0E340382B383BA7 : public RuntimeObject { public: // TKey System.Collections.Concurrent.ConcurrentDictionary`2_Node::_key String_t* ____key_0; // TValue System.Collections.Concurrent.ConcurrentDictionary`2_Node::_value RuntimeObject * ____value_1; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<TKey,TValue> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Concurrent.ConcurrentDictionary`2_Node::_next Node_t207F64C66D20F5A709A23309B0E340382B383BA7 * ____next_2; // System.Int32 System.Collections.Concurrent.ConcurrentDictionary`2_Node::_hashcode int32_t ____hashcode_3; public: inline static int32_t get_offset_of__key_0() { return static_cast<int32_t>(offsetof(Node_t207F64C66D20F5A709A23309B0E340382B383BA7, ____key_0)); } inline String_t* get__key_0() const { return ____key_0; } inline String_t** get_address_of__key_0() { return &____key_0; } inline void set__key_0(String_t* value) { ____key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____key_0), (void*)value); } inline static int32_t get_offset_of__value_1() { return static_cast<int32_t>(offsetof(Node_t207F64C66D20F5A709A23309B0E340382B383BA7, ____value_1)); } inline RuntimeObject * get__value_1() const { return ____value_1; } inline RuntimeObject ** get_address_of__value_1() { return &____value_1; } inline void set__value_1(RuntimeObject * value) { ____value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____value_1), (void*)value); } inline static int32_t get_offset_of__next_2() { return static_cast<int32_t>(offsetof(Node_t207F64C66D20F5A709A23309B0E340382B383BA7, ____next_2)); } inline Node_t207F64C66D20F5A709A23309B0E340382B383BA7 * get__next_2() const { return ____next_2; } inline Node_t207F64C66D20F5A709A23309B0E340382B383BA7 ** get_address_of__next_2() { return &____next_2; } inline void set__next_2(Node_t207F64C66D20F5A709A23309B0E340382B383BA7 * value) { ____next_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____next_2), (void*)value); } inline static int32_t get_offset_of__hashcode_3() { return static_cast<int32_t>(offsetof(Node_t207F64C66D20F5A709A23309B0E340382B383BA7, ____hashcode_3)); } inline int32_t get__hashcode_3() const { return ____hashcode_3; } inline int32_t* get_address_of__hashcode_3() { return &____hashcode_3; } inline void set__hashcode_3(int32_t value) { ____hashcode_3 = value; } }; // System.Collections.Generic.Dictionary`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList> struct Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 : public RuntimeObject { public: // System.Int32[] System.Collections.Generic.Dictionary`2::buckets Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___buckets_0; // System.Collections.Generic.Dictionary`2_Entry<TKey,TValue>[] System.Collections.Generic.Dictionary`2::entries EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE* ___entries_1; // System.Int32 System.Collections.Generic.Dictionary`2::count int32_t ___count_2; // System.Int32 System.Collections.Generic.Dictionary`2::version int32_t ___version_3; // System.Int32 System.Collections.Generic.Dictionary`2::freeList int32_t ___freeList_4; // System.Int32 System.Collections.Generic.Dictionary`2::freeCount int32_t ___freeCount_5; // System.Collections.Generic.IEqualityComparer`1<TKey> System.Collections.Generic.Dictionary`2::comparer RuntimeObject* ___comparer_6; // System.Collections.Generic.Dictionary`2_KeyCollection<TKey,TValue> System.Collections.Generic.Dictionary`2::keys KeyCollection_tCBE2F198CA0AEB0DFAAAF6140E0E5691BC609FB8 * ___keys_7; // System.Collections.Generic.Dictionary`2_ValueCollection<TKey,TValue> System.Collections.Generic.Dictionary`2::values ValueCollection_tB5149B437781BF8336840F10322E4D5C78C573F2 * ___values_8; // System.Object System.Collections.Generic.Dictionary`2::_syncRoot RuntimeObject * ____syncRoot_9; public: inline static int32_t get_offset_of_buckets_0() { return static_cast<int32_t>(offsetof(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215, ___buckets_0)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_buckets_0() const { return ___buckets_0; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_buckets_0() { return &___buckets_0; } inline void set_buckets_0(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ___buckets_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___buckets_0), (void*)value); } inline static int32_t get_offset_of_entries_1() { return static_cast<int32_t>(offsetof(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215, ___entries_1)); } inline EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE* get_entries_1() const { return ___entries_1; } inline EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE** get_address_of_entries_1() { return &___entries_1; } inline void set_entries_1(EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE* value) { ___entries_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___entries_1), (void*)value); } inline static int32_t get_offset_of_count_2() { return static_cast<int32_t>(offsetof(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215, ___count_2)); } inline int32_t get_count_2() const { return ___count_2; } inline int32_t* get_address_of_count_2() { return &___count_2; } inline void set_count_2(int32_t value) { ___count_2 = value; } inline static int32_t get_offset_of_version_3() { return static_cast<int32_t>(offsetof(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215, ___version_3)); } inline int32_t get_version_3() const { return ___version_3; } inline int32_t* get_address_of_version_3() { return &___version_3; } inline void set_version_3(int32_t value) { ___version_3 = value; } inline static int32_t get_offset_of_freeList_4() { return static_cast<int32_t>(offsetof(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215, ___freeList_4)); } inline int32_t get_freeList_4() const { return ___freeList_4; } inline int32_t* get_address_of_freeList_4() { return &___freeList_4; } inline void set_freeList_4(int32_t value) { ___freeList_4 = value; } inline static int32_t get_offset_of_freeCount_5() { return static_cast<int32_t>(offsetof(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215, ___freeCount_5)); } inline int32_t get_freeCount_5() const { return ___freeCount_5; } inline int32_t* get_address_of_freeCount_5() { return &___freeCount_5; } inline void set_freeCount_5(int32_t value) { ___freeCount_5 = value; } inline static int32_t get_offset_of_comparer_6() { return static_cast<int32_t>(offsetof(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215, ___comparer_6)); } inline RuntimeObject* get_comparer_6() const { return ___comparer_6; } inline RuntimeObject** get_address_of_comparer_6() { return &___comparer_6; } inline void set_comparer_6(RuntimeObject* value) { ___comparer_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___comparer_6), (void*)value); } inline static int32_t get_offset_of_keys_7() { return static_cast<int32_t>(offsetof(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215, ___keys_7)); } inline KeyCollection_tCBE2F198CA0AEB0DFAAAF6140E0E5691BC609FB8 * get_keys_7() const { return ___keys_7; } inline KeyCollection_tCBE2F198CA0AEB0DFAAAF6140E0E5691BC609FB8 ** get_address_of_keys_7() { return &___keys_7; } inline void set_keys_7(KeyCollection_tCBE2F198CA0AEB0DFAAAF6140E0E5691BC609FB8 * value) { ___keys_7 = value; Il2CppCodeGenWriteBarrier((void**)(&___keys_7), (void*)value); } inline static int32_t get_offset_of_values_8() { return static_cast<int32_t>(offsetof(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215, ___values_8)); } inline ValueCollection_tB5149B437781BF8336840F10322E4D5C78C573F2 * get_values_8() const { return ___values_8; } inline ValueCollection_tB5149B437781BF8336840F10322E4D5C78C573F2 ** get_address_of_values_8() { return &___values_8; } inline void set_values_8(ValueCollection_tB5149B437781BF8336840F10322E4D5C78C573F2 * value) { ___values_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___values_8), (void*)value); } inline static int32_t get_offset_of__syncRoot_9() { return static_cast<int32_t>(offsetof(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215, ____syncRoot_9)); } inline RuntimeObject * get__syncRoot_9() const { return ____syncRoot_9; } inline RuntimeObject ** get_address_of__syncRoot_9() { return &____syncRoot_9; } inline void set__syncRoot_9(RuntimeObject * value) { ____syncRoot_9 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_9), (void*)value); } }; // System.Collections.Generic.List`1<System.Int32> struct List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 : public RuntimeObject { public: // T[] System.Collections.Generic.List`1::_items Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ____items_1; // System.Int32 System.Collections.Generic.List`1::_size int32_t ____size_2; // System.Int32 System.Collections.Generic.List`1::_version int32_t ____version_3; // System.Object System.Collections.Generic.List`1::_syncRoot RuntimeObject * ____syncRoot_4; public: inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226, ____items_1)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get__items_1() const { return ____items_1; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of__items_1() { return &____items_1; } inline void set__items_1(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ____items_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____items_1), (void*)value); } inline static int32_t get_offset_of__size_2() { return static_cast<int32_t>(offsetof(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226, ____size_2)); } inline int32_t get__size_2() const { return ____size_2; } inline int32_t* get_address_of__size_2() { return &____size_2; } inline void set__size_2(int32_t value) { ____size_2 = value; } inline static int32_t get_offset_of__version_3() { return static_cast<int32_t>(offsetof(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226, ____version_3)); } inline int32_t get__version_3() const { return ____version_3; } inline int32_t* get_address_of__version_3() { return &____version_3; } inline void set__version_3(int32_t value) { ____version_3 = value; } inline static int32_t get_offset_of__syncRoot_4() { return static_cast<int32_t>(offsetof(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226, ____syncRoot_4)); } inline RuntimeObject * get__syncRoot_4() const { return ____syncRoot_4; } inline RuntimeObject ** get_address_of__syncRoot_4() { return &____syncRoot_4; } inline void set__syncRoot_4(RuntimeObject * value) { ____syncRoot_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_4), (void*)value); } }; struct List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226_StaticFields { public: // T[] System.Collections.Generic.List`1::_emptyArray Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ____emptyArray_5; public: inline static int32_t get_offset_of__emptyArray_5() { return static_cast<int32_t>(offsetof(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226_StaticFields, ____emptyArray_5)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get__emptyArray_5() const { return ____emptyArray_5; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of__emptyArray_5() { return &____emptyArray_5; } inline void set__emptyArray_5(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ____emptyArray_5 = value; Il2CppCodeGenWriteBarrier((void**)(&____emptyArray_5), (void*)value); } }; // System.Collections.KeyValuePairs struct KeyValuePairs_t58C6D38D4557E04680306FEFA05058B43E879D29 : public RuntimeObject { public: // System.Object System.Collections.KeyValuePairs::key RuntimeObject * ___key_0; // System.Object System.Collections.KeyValuePairs::value RuntimeObject * ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePairs_t58C6D38D4557E04680306FEFA05058B43E879D29, ___key_0)); } inline RuntimeObject * get_key_0() const { return ___key_0; } inline RuntimeObject ** get_address_of_key_0() { return &___key_0; } inline void set_key_0(RuntimeObject * value) { ___key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value); } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePairs_t58C6D38D4557E04680306FEFA05058B43E879D29, ___value_1)); } inline RuntimeObject * get_value_1() const { return ___value_1; } inline RuntimeObject ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(RuntimeObject * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.ComponentModel.MemberDescriptor struct MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8 : public RuntimeObject { public: // System.String System.ComponentModel.MemberDescriptor::name String_t* ___name_0; // System.String System.ComponentModel.MemberDescriptor::displayName String_t* ___displayName_1; // System.Int32 System.ComponentModel.MemberDescriptor::nameHash int32_t ___nameHash_2; // System.ComponentModel.AttributeCollection System.ComponentModel.MemberDescriptor::attributeCollection AttributeCollection_tBE6941BB802EDE34B7F986C14A7D7E3A4E135EBE * ___attributeCollection_3; // System.Attribute[] System.ComponentModel.MemberDescriptor::attributes AttributeU5BU5D_t777BEFAB7857CFA5F0EE6C3EB1F8F7FF61F00A17* ___attributes_4; // System.Attribute[] System.ComponentModel.MemberDescriptor::originalAttributes AttributeU5BU5D_t777BEFAB7857CFA5F0EE6C3EB1F8F7FF61F00A17* ___originalAttributes_5; // System.Boolean System.ComponentModel.MemberDescriptor::attributesFiltered bool ___attributesFiltered_6; // System.Boolean System.ComponentModel.MemberDescriptor::attributesFilled bool ___attributesFilled_7; // System.Int32 System.ComponentModel.MemberDescriptor::metadataVersion int32_t ___metadataVersion_8; // System.String System.ComponentModel.MemberDescriptor::category String_t* ___category_9; // System.String System.ComponentModel.MemberDescriptor::description String_t* ___description_10; // System.Object System.ComponentModel.MemberDescriptor::lockCookie RuntimeObject * ___lockCookie_11; public: inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___name_0)); } inline String_t* get_name_0() const { return ___name_0; } inline String_t** get_address_of_name_0() { return &___name_0; } inline void set_name_0(String_t* value) { ___name_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___name_0), (void*)value); } inline static int32_t get_offset_of_displayName_1() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___displayName_1)); } inline String_t* get_displayName_1() const { return ___displayName_1; } inline String_t** get_address_of_displayName_1() { return &___displayName_1; } inline void set_displayName_1(String_t* value) { ___displayName_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___displayName_1), (void*)value); } inline static int32_t get_offset_of_nameHash_2() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___nameHash_2)); } inline int32_t get_nameHash_2() const { return ___nameHash_2; } inline int32_t* get_address_of_nameHash_2() { return &___nameHash_2; } inline void set_nameHash_2(int32_t value) { ___nameHash_2 = value; } inline static int32_t get_offset_of_attributeCollection_3() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___attributeCollection_3)); } inline AttributeCollection_tBE6941BB802EDE34B7F986C14A7D7E3A4E135EBE * get_attributeCollection_3() const { return ___attributeCollection_3; } inline AttributeCollection_tBE6941BB802EDE34B7F986C14A7D7E3A4E135EBE ** get_address_of_attributeCollection_3() { return &___attributeCollection_3; } inline void set_attributeCollection_3(AttributeCollection_tBE6941BB802EDE34B7F986C14A7D7E3A4E135EBE * value) { ___attributeCollection_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___attributeCollection_3), (void*)value); } inline static int32_t get_offset_of_attributes_4() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___attributes_4)); } inline AttributeU5BU5D_t777BEFAB7857CFA5F0EE6C3EB1F8F7FF61F00A17* get_attributes_4() const { return ___attributes_4; } inline AttributeU5BU5D_t777BEFAB7857CFA5F0EE6C3EB1F8F7FF61F00A17** get_address_of_attributes_4() { return &___attributes_4; } inline void set_attributes_4(AttributeU5BU5D_t777BEFAB7857CFA5F0EE6C3EB1F8F7FF61F00A17* value) { ___attributes_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___attributes_4), (void*)value); } inline static int32_t get_offset_of_originalAttributes_5() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___originalAttributes_5)); } inline AttributeU5BU5D_t777BEFAB7857CFA5F0EE6C3EB1F8F7FF61F00A17* get_originalAttributes_5() const { return ___originalAttributes_5; } inline AttributeU5BU5D_t777BEFAB7857CFA5F0EE6C3EB1F8F7FF61F00A17** get_address_of_originalAttributes_5() { return &___originalAttributes_5; } inline void set_originalAttributes_5(AttributeU5BU5D_t777BEFAB7857CFA5F0EE6C3EB1F8F7FF61F00A17* value) { ___originalAttributes_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___originalAttributes_5), (void*)value); } inline static int32_t get_offset_of_attributesFiltered_6() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___attributesFiltered_6)); } inline bool get_attributesFiltered_6() const { return ___attributesFiltered_6; } inline bool* get_address_of_attributesFiltered_6() { return &___attributesFiltered_6; } inline void set_attributesFiltered_6(bool value) { ___attributesFiltered_6 = value; } inline static int32_t get_offset_of_attributesFilled_7() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___attributesFilled_7)); } inline bool get_attributesFilled_7() const { return ___attributesFilled_7; } inline bool* get_address_of_attributesFilled_7() { return &___attributesFilled_7; } inline void set_attributesFilled_7(bool value) { ___attributesFilled_7 = value; } inline static int32_t get_offset_of_metadataVersion_8() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___metadataVersion_8)); } inline int32_t get_metadataVersion_8() const { return ___metadataVersion_8; } inline int32_t* get_address_of_metadataVersion_8() { return &___metadataVersion_8; } inline void set_metadataVersion_8(int32_t value) { ___metadataVersion_8 = value; } inline static int32_t get_offset_of_category_9() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___category_9)); } inline String_t* get_category_9() const { return ___category_9; } inline String_t** get_address_of_category_9() { return &___category_9; } inline void set_category_9(String_t* value) { ___category_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___category_9), (void*)value); } inline static int32_t get_offset_of_description_10() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___description_10)); } inline String_t* get_description_10() const { return ___description_10; } inline String_t** get_address_of_description_10() { return &___description_10; } inline void set_description_10(String_t* value) { ___description_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___description_10), (void*)value); } inline static int32_t get_offset_of_lockCookie_11() { return static_cast<int32_t>(offsetof(MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8, ___lockCookie_11)); } inline RuntimeObject * get_lockCookie_11() const { return ___lockCookie_11; } inline RuntimeObject ** get_address_of_lockCookie_11() { return &___lockCookie_11; } inline void set_lockCookie_11(RuntimeObject * value) { ___lockCookie_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___lockCookie_11), (void*)value); } }; // System.Diagnostics.StackFrame struct StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 : public RuntimeObject { public: // System.Int32 System.Diagnostics.StackFrame::ilOffset int32_t ___ilOffset_1; // System.Int32 System.Diagnostics.StackFrame::nativeOffset int32_t ___nativeOffset_2; // System.Int64 System.Diagnostics.StackFrame::methodAddress int64_t ___methodAddress_3; // System.UInt32 System.Diagnostics.StackFrame::methodIndex uint32_t ___methodIndex_4; // System.Reflection.MethodBase System.Diagnostics.StackFrame::methodBase MethodBase_t * ___methodBase_5; // System.String System.Diagnostics.StackFrame::fileName String_t* ___fileName_6; // System.Int32 System.Diagnostics.StackFrame::lineNumber int32_t ___lineNumber_7; // System.Int32 System.Diagnostics.StackFrame::columnNumber int32_t ___columnNumber_8; // System.String System.Diagnostics.StackFrame::internalMethodName String_t* ___internalMethodName_9; public: inline static int32_t get_offset_of_ilOffset_1() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___ilOffset_1)); } inline int32_t get_ilOffset_1() const { return ___ilOffset_1; } inline int32_t* get_address_of_ilOffset_1() { return &___ilOffset_1; } inline void set_ilOffset_1(int32_t value) { ___ilOffset_1 = value; } inline static int32_t get_offset_of_nativeOffset_2() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___nativeOffset_2)); } inline int32_t get_nativeOffset_2() const { return ___nativeOffset_2; } inline int32_t* get_address_of_nativeOffset_2() { return &___nativeOffset_2; } inline void set_nativeOffset_2(int32_t value) { ___nativeOffset_2 = value; } inline static int32_t get_offset_of_methodAddress_3() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___methodAddress_3)); } inline int64_t get_methodAddress_3() const { return ___methodAddress_3; } inline int64_t* get_address_of_methodAddress_3() { return &___methodAddress_3; } inline void set_methodAddress_3(int64_t value) { ___methodAddress_3 = value; } inline static int32_t get_offset_of_methodIndex_4() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___methodIndex_4)); } inline uint32_t get_methodIndex_4() const { return ___methodIndex_4; } inline uint32_t* get_address_of_methodIndex_4() { return &___methodIndex_4; } inline void set_methodIndex_4(uint32_t value) { ___methodIndex_4 = value; } inline static int32_t get_offset_of_methodBase_5() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___methodBase_5)); } inline MethodBase_t * get_methodBase_5() const { return ___methodBase_5; } inline MethodBase_t ** get_address_of_methodBase_5() { return &___methodBase_5; } inline void set_methodBase_5(MethodBase_t * value) { ___methodBase_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___methodBase_5), (void*)value); } inline static int32_t get_offset_of_fileName_6() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___fileName_6)); } inline String_t* get_fileName_6() const { return ___fileName_6; } inline String_t** get_address_of_fileName_6() { return &___fileName_6; } inline void set_fileName_6(String_t* value) { ___fileName_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___fileName_6), (void*)value); } inline static int32_t get_offset_of_lineNumber_7() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___lineNumber_7)); } inline int32_t get_lineNumber_7() const { return ___lineNumber_7; } inline int32_t* get_address_of_lineNumber_7() { return &___lineNumber_7; } inline void set_lineNumber_7(int32_t value) { ___lineNumber_7 = value; } inline static int32_t get_offset_of_columnNumber_8() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___columnNumber_8)); } inline int32_t get_columnNumber_8() const { return ___columnNumber_8; } inline int32_t* get_address_of_columnNumber_8() { return &___columnNumber_8; } inline void set_columnNumber_8(int32_t value) { ___columnNumber_8 = value; } inline static int32_t get_offset_of_internalMethodName_9() { return static_cast<int32_t>(offsetof(StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00, ___internalMethodName_9)); } inline String_t* get_internalMethodName_9() const { return ___internalMethodName_9; } inline String_t** get_address_of_internalMethodName_9() { return &___internalMethodName_9; } inline void set_internalMethodName_9(String_t* value) { ___internalMethodName_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___internalMethodName_9), (void*)value); } }; // Native definition for P/Invoke marshalling of System.Diagnostics.StackFrame struct StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00_marshaled_pinvoke { int32_t ___ilOffset_1; int32_t ___nativeOffset_2; int64_t ___methodAddress_3; uint32_t ___methodIndex_4; MethodBase_t * ___methodBase_5; char* ___fileName_6; int32_t ___lineNumber_7; int32_t ___columnNumber_8; char* ___internalMethodName_9; }; // Native definition for COM marshalling of System.Diagnostics.StackFrame struct StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00_marshaled_com { int32_t ___ilOffset_1; int32_t ___nativeOffset_2; int64_t ___methodAddress_3; uint32_t ___methodIndex_4; MethodBase_t * ___methodBase_5; Il2CppChar* ___fileName_6; int32_t ___lineNumber_7; int32_t ___columnNumber_8; Il2CppChar* ___internalMethodName_9; }; // System.Diagnostics.Tracing.ConcurrentSetItem`2<System.Collections.Generic.KeyValuePair`2<System.String,System.Diagnostics.Tracing.EventTags>,System.Diagnostics.Tracing.NameInfo> struct ConcurrentSetItem_2_tF75C8666AA6AE859719571013C6765518785D0DA : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.EtwSession struct EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D : public RuntimeObject { public: // System.Int32 System.Diagnostics.Tracing.EtwSession::m_etwSessionId int32_t ___m_etwSessionId_0; // System.Diagnostics.Tracing.ActivityFilter System.Diagnostics.Tracing.EtwSession::m_activityFilter ActivityFilter_t0752727D4698E64AAC232FD9DB1FC68735A9EAE8 * ___m_activityFilter_1; public: inline static int32_t get_offset_of_m_etwSessionId_0() { return static_cast<int32_t>(offsetof(EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D, ___m_etwSessionId_0)); } inline int32_t get_m_etwSessionId_0() const { return ___m_etwSessionId_0; } inline int32_t* get_address_of_m_etwSessionId_0() { return &___m_etwSessionId_0; } inline void set_m_etwSessionId_0(int32_t value) { ___m_etwSessionId_0 = value; } inline static int32_t get_offset_of_m_activityFilter_1() { return static_cast<int32_t>(offsetof(EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D, ___m_activityFilter_1)); } inline ActivityFilter_t0752727D4698E64AAC232FD9DB1FC68735A9EAE8 * get_m_activityFilter_1() const { return ___m_activityFilter_1; } inline ActivityFilter_t0752727D4698E64AAC232FD9DB1FC68735A9EAE8 ** get_address_of_m_activityFilter_1() { return &___m_activityFilter_1; } inline void set_m_activityFilter_1(ActivityFilter_t0752727D4698E64AAC232FD9DB1FC68735A9EAE8 * value) { ___m_activityFilter_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_activityFilter_1), (void*)value); } }; struct EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D_StaticFields { public: // System.Collections.Generic.List`1<System.WeakReference`1<System.Diagnostics.Tracing.EtwSession>> System.Diagnostics.Tracing.EtwSession::s_etwSessions List_1_tEEFE66C839CAE2489B81784A98C68D5F1CD8B5BD * ___s_etwSessions_2; public: inline static int32_t get_offset_of_s_etwSessions_2() { return static_cast<int32_t>(offsetof(EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D_StaticFields, ___s_etwSessions_2)); } inline List_1_tEEFE66C839CAE2489B81784A98C68D5F1CD8B5BD * get_s_etwSessions_2() const { return ___s_etwSessions_2; } inline List_1_tEEFE66C839CAE2489B81784A98C68D5F1CD8B5BD ** get_address_of_s_etwSessions_2() { return &___s_etwSessions_2; } inline void set_s_etwSessions_2(List_1_tEEFE66C839CAE2489B81784A98C68D5F1CD8B5BD * value) { ___s_etwSessions_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_etwSessions_2), (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Boolean> struct PropertyAccessor_1_t91515814B13611840CA3A9B303F42E8D101BC8C6 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Byte> struct PropertyAccessor_1_t76A09AC467B136CF5EC6B6B87B61C890FA304251 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Char> struct PropertyAccessor_1_t77FF65729F94D1F6289B531CF4D518A174AF2D1A : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>> struct PropertyAccessor_1_tB1AFBC61BA4EBFE324C03DBE1E464DB1F154D929 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.DateTime> struct PropertyAccessor_1_tE2902A5668A92CA5B639D08AB01C3139DF026E1A : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.DateTimeOffset> struct PropertyAccessor_1_tE5E98447AA74D36CBDA22BC11ECB6C81D8C4B124 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Decimal> struct PropertyAccessor_1_t1E46E1E18774D1D4AFE1B94587A2BC07FCA64B10 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Diagnostics.Tracing.EmptyStruct> struct PropertyAccessor_1_t8A286BF41EC06652684F1E1D77BADAB779606FEE : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Double> struct PropertyAccessor_1_t06EAC9A5AD164B3E7CC1E4CF630AB7D7644B89CC : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Guid> struct PropertyAccessor_1_t0EA164D1C4097ED8235B4854F131FF29F743C19C : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Int16> struct PropertyAccessor_1_t9BEEEE2DB5F3A5DAA08BD401E4916672670F1167 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Int32> struct PropertyAccessor_1_t68CDB63C5FD6B75A1A3D4FCDBA62D41AE2DF5E2D : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Int64> struct PropertyAccessor_1_t642E402A4B28B9F284B4E63513358E6F5A504881 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.IntPtr> struct PropertyAccessor_1_t0163EA39898F99A880934A940D8B6B67ABE29837 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Object> struct PropertyAccessor_1_t4623C9CF588D34C72BB23E9B4AEB4181427660BA : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.SByte> struct PropertyAccessor_1_tDEC48EB6D455BDA2D94EE7334E5F69E5D0E1BF95 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Single> struct PropertyAccessor_1_t54DE0AFAD9E346649DB941CEFFE1C8099FDAC153 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.TimeSpan> struct PropertyAccessor_1_tABB24E405A2F455A906285AE90A222340A188133 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt16> struct PropertyAccessor_1_t28FD3DDC00466E807B268B437BFB1BE0B7DA5C24 : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt32> struct PropertyAccessor_1_tFAF42CF36FE9C4F2D3B9D95A6981320A0A37252E : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt64> struct PropertyAccessor_1_t73256E05645ED710D9E64D5986EEEA9BD553D1DF : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UIntPtr> struct PropertyAccessor_1_t970F8509053D180DF6A09C1D17C08EEC61DF40EF : public RuntimeObject { public: public: }; // System.Diagnostics.Tracing.PropertyAnalysis struct PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A : public RuntimeObject { public: // System.String System.Diagnostics.Tracing.PropertyAnalysis::name String_t* ___name_0; // System.Reflection.MethodInfo System.Diagnostics.Tracing.PropertyAnalysis::getterInfo MethodInfo_t * ___getterInfo_1; // System.Diagnostics.Tracing.TraceLoggingTypeInfo System.Diagnostics.Tracing.PropertyAnalysis::typeInfo TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F * ___typeInfo_2; // System.Diagnostics.Tracing.EventFieldAttribute System.Diagnostics.Tracing.PropertyAnalysis::fieldAttribute EventFieldAttribute_tCD8E252D7D673724F2980B794282B715E16A675C * ___fieldAttribute_3; public: inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A, ___name_0)); } inline String_t* get_name_0() const { return ___name_0; } inline String_t** get_address_of_name_0() { return &___name_0; } inline void set_name_0(String_t* value) { ___name_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___name_0), (void*)value); } inline static int32_t get_offset_of_getterInfo_1() { return static_cast<int32_t>(offsetof(PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A, ___getterInfo_1)); } inline MethodInfo_t * get_getterInfo_1() const { return ___getterInfo_1; } inline MethodInfo_t ** get_address_of_getterInfo_1() { return &___getterInfo_1; } inline void set_getterInfo_1(MethodInfo_t * value) { ___getterInfo_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___getterInfo_1), (void*)value); } inline static int32_t get_offset_of_typeInfo_2() { return static_cast<int32_t>(offsetof(PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A, ___typeInfo_2)); } inline TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F * get_typeInfo_2() const { return ___typeInfo_2; } inline TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F ** get_address_of_typeInfo_2() { return &___typeInfo_2; } inline void set_typeInfo_2(TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F * value) { ___typeInfo_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___typeInfo_2), (void*)value); } inline static int32_t get_offset_of_fieldAttribute_3() { return static_cast<int32_t>(offsetof(PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A, ___fieldAttribute_3)); } inline EventFieldAttribute_tCD8E252D7D673724F2980B794282B715E16A675C * get_fieldAttribute_3() const { return ___fieldAttribute_3; } inline EventFieldAttribute_tCD8E252D7D673724F2980B794282B715E16A675C ** get_address_of_fieldAttribute_3() { return &___fieldAttribute_3; } inline void set_fieldAttribute_3(EventFieldAttribute_tCD8E252D7D673724F2980B794282B715E16A675C * value) { ___fieldAttribute_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___fieldAttribute_3), (void*)value); } }; // System.Runtime.Remoting.Messaging.Header struct Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C : public RuntimeObject { public: // System.String System.Runtime.Remoting.Messaging.Header::HeaderNamespace String_t* ___HeaderNamespace_0; // System.Boolean System.Runtime.Remoting.Messaging.Header::MustUnderstand bool ___MustUnderstand_1; // System.String System.Runtime.Remoting.Messaging.Header::Name String_t* ___Name_2; // System.Object System.Runtime.Remoting.Messaging.Header::Value RuntimeObject * ___Value_3; public: inline static int32_t get_offset_of_HeaderNamespace_0() { return static_cast<int32_t>(offsetof(Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C, ___HeaderNamespace_0)); } inline String_t* get_HeaderNamespace_0() const { return ___HeaderNamespace_0; } inline String_t** get_address_of_HeaderNamespace_0() { return &___HeaderNamespace_0; } inline void set_HeaderNamespace_0(String_t* value) { ___HeaderNamespace_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___HeaderNamespace_0), (void*)value); } inline static int32_t get_offset_of_MustUnderstand_1() { return static_cast<int32_t>(offsetof(Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C, ___MustUnderstand_1)); } inline bool get_MustUnderstand_1() const { return ___MustUnderstand_1; } inline bool* get_address_of_MustUnderstand_1() { return &___MustUnderstand_1; } inline void set_MustUnderstand_1(bool value) { ___MustUnderstand_1 = value; } inline static int32_t get_offset_of_Name_2() { return static_cast<int32_t>(offsetof(Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C, ___Name_2)); } inline String_t* get_Name_2() const { return ___Name_2; } inline String_t** get_address_of_Name_2() { return &___Name_2; } inline void set_Name_2(String_t* value) { ___Name_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___Name_2), (void*)value); } inline static int32_t get_offset_of_Value_3() { return static_cast<int32_t>(offsetof(Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C, ___Value_3)); } inline RuntimeObject * get_Value_3() const { return ___Value_3; } inline RuntimeObject ** get_address_of_Value_3() { return &___Value_3; } inline void set_Value_3(RuntimeObject * value) { ___Value_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___Value_3), (void*)value); } }; // System.String struct String_t : public RuntimeObject { public: // System.Int32 System.String::m_stringLength int32_t ___m_stringLength_0; // System.Char System.String::m_firstChar Il2CppChar ___m_firstChar_1; public: inline static int32_t get_offset_of_m_stringLength_0() { return static_cast<int32_t>(offsetof(String_t, ___m_stringLength_0)); } inline int32_t get_m_stringLength_0() const { return ___m_stringLength_0; } inline int32_t* get_address_of_m_stringLength_0() { return &___m_stringLength_0; } inline void set_m_stringLength_0(int32_t value) { ___m_stringLength_0 = value; } inline static int32_t get_offset_of_m_firstChar_1() { return static_cast<int32_t>(offsetof(String_t, ___m_firstChar_1)); } inline Il2CppChar get_m_firstChar_1() const { return ___m_firstChar_1; } inline Il2CppChar* get_address_of_m_firstChar_1() { return &___m_firstChar_1; } inline void set_m_firstChar_1(Il2CppChar value) { ___m_firstChar_1 = value; } }; struct String_t_StaticFields { public: // System.String System.String::Empty String_t* ___Empty_5; public: inline static int32_t get_offset_of_Empty_5() { return static_cast<int32_t>(offsetof(String_t_StaticFields, ___Empty_5)); } inline String_t* get_Empty_5() const { return ___Empty_5; } inline String_t** get_address_of_Empty_5() { return &___Empty_5; } inline void set_Empty_5(String_t* value) { ___Empty_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___Empty_5), (void*)value); } }; // System.Text.RegularExpressions.CachedCodeEntry struct CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65 : public RuntimeObject { public: // System.String System.Text.RegularExpressions.CachedCodeEntry::_key String_t* ____key_0; // System.Text.RegularExpressions.RegexCode System.Text.RegularExpressions.CachedCodeEntry::_code RegexCode_t12846533CAD1E4221CEDF5A4D15D4D649EA688FA * ____code_1; // System.Collections.Hashtable System.Text.RegularExpressions.CachedCodeEntry::_caps Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ____caps_2; // System.Collections.Hashtable System.Text.RegularExpressions.CachedCodeEntry::_capnames Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ____capnames_3; // System.String[] System.Text.RegularExpressions.CachedCodeEntry::_capslist StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ____capslist_4; // System.Int32 System.Text.RegularExpressions.CachedCodeEntry::_capsize int32_t ____capsize_5; // System.Text.RegularExpressions.RegexRunnerFactory System.Text.RegularExpressions.CachedCodeEntry::_factory RegexRunnerFactory_t0703F390E2102623B0189DEC095DB182698E404B * ____factory_6; // System.Text.RegularExpressions.ExclusiveReference System.Text.RegularExpressions.CachedCodeEntry::_runnerref ExclusiveReference_t39E202CDB13A1E6EBA4CE0C7548B192CEB5C64DB * ____runnerref_7; // System.Text.RegularExpressions.SharedReference System.Text.RegularExpressions.CachedCodeEntry::_replref SharedReference_t225BA5C249F9F1D6C959F151695BDF65EF2C92A5 * ____replref_8; public: inline static int32_t get_offset_of__key_0() { return static_cast<int32_t>(offsetof(CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65, ____key_0)); } inline String_t* get__key_0() const { return ____key_0; } inline String_t** get_address_of__key_0() { return &____key_0; } inline void set__key_0(String_t* value) { ____key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____key_0), (void*)value); } inline static int32_t get_offset_of__code_1() { return static_cast<int32_t>(offsetof(CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65, ____code_1)); } inline RegexCode_t12846533CAD1E4221CEDF5A4D15D4D649EA688FA * get__code_1() const { return ____code_1; } inline RegexCode_t12846533CAD1E4221CEDF5A4D15D4D649EA688FA ** get_address_of__code_1() { return &____code_1; } inline void set__code_1(RegexCode_t12846533CAD1E4221CEDF5A4D15D4D649EA688FA * value) { ____code_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____code_1), (void*)value); } inline static int32_t get_offset_of__caps_2() { return static_cast<int32_t>(offsetof(CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65, ____caps_2)); } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * get__caps_2() const { return ____caps_2; } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 ** get_address_of__caps_2() { return &____caps_2; } inline void set__caps_2(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * value) { ____caps_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____caps_2), (void*)value); } inline static int32_t get_offset_of__capnames_3() { return static_cast<int32_t>(offsetof(CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65, ____capnames_3)); } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * get__capnames_3() const { return ____capnames_3; } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 ** get_address_of__capnames_3() { return &____capnames_3; } inline void set__capnames_3(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * value) { ____capnames_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____capnames_3), (void*)value); } inline static int32_t get_offset_of__capslist_4() { return static_cast<int32_t>(offsetof(CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65, ____capslist_4)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get__capslist_4() const { return ____capslist_4; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of__capslist_4() { return &____capslist_4; } inline void set__capslist_4(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ____capslist_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____capslist_4), (void*)value); } inline static int32_t get_offset_of__capsize_5() { return static_cast<int32_t>(offsetof(CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65, ____capsize_5)); } inline int32_t get__capsize_5() const { return ____capsize_5; } inline int32_t* get_address_of__capsize_5() { return &____capsize_5; } inline void set__capsize_5(int32_t value) { ____capsize_5 = value; } inline static int32_t get_offset_of__factory_6() { return static_cast<int32_t>(offsetof(CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65, ____factory_6)); } inline RegexRunnerFactory_t0703F390E2102623B0189DEC095DB182698E404B * get__factory_6() const { return ____factory_6; } inline RegexRunnerFactory_t0703F390E2102623B0189DEC095DB182698E404B ** get_address_of__factory_6() { return &____factory_6; } inline void set__factory_6(RegexRunnerFactory_t0703F390E2102623B0189DEC095DB182698E404B * value) { ____factory_6 = value; Il2CppCodeGenWriteBarrier((void**)(&____factory_6), (void*)value); } inline static int32_t get_offset_of__runnerref_7() { return static_cast<int32_t>(offsetof(CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65, ____runnerref_7)); } inline ExclusiveReference_t39E202CDB13A1E6EBA4CE0C7548B192CEB5C64DB * get__runnerref_7() const { return ____runnerref_7; } inline ExclusiveReference_t39E202CDB13A1E6EBA4CE0C7548B192CEB5C64DB ** get_address_of__runnerref_7() { return &____runnerref_7; } inline void set__runnerref_7(ExclusiveReference_t39E202CDB13A1E6EBA4CE0C7548B192CEB5C64DB * value) { ____runnerref_7 = value; Il2CppCodeGenWriteBarrier((void**)(&____runnerref_7), (void*)value); } inline static int32_t get_offset_of__replref_8() { return static_cast<int32_t>(offsetof(CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65, ____replref_8)); } inline SharedReference_t225BA5C249F9F1D6C959F151695BDF65EF2C92A5 * get__replref_8() const { return ____replref_8; } inline SharedReference_t225BA5C249F9F1D6C959F151695BDF65EF2C92A5 ** get_address_of__replref_8() { return &____replref_8; } inline void set__replref_8(SharedReference_t225BA5C249F9F1D6C959F151695BDF65EF2C92A5 * value) { ____replref_8 = value; Il2CppCodeGenWriteBarrier((void**)(&____replref_8), (void*)value); } }; // System.Text.RegularExpressions.Capture struct Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73 : public RuntimeObject { public: // System.String System.Text.RegularExpressions.Capture::_text String_t* ____text_0; // System.Int32 System.Text.RegularExpressions.Capture::_index int32_t ____index_1; // System.Int32 System.Text.RegularExpressions.Capture::_length int32_t ____length_2; public: inline static int32_t get_offset_of__text_0() { return static_cast<int32_t>(offsetof(Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73, ____text_0)); } inline String_t* get__text_0() const { return ____text_0; } inline String_t** get_address_of__text_0() { return &____text_0; } inline void set__text_0(String_t* value) { ____text_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____text_0), (void*)value); } inline static int32_t get_offset_of__index_1() { return static_cast<int32_t>(offsetof(Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73, ____index_1)); } inline int32_t get__index_1() const { return ____index_1; } inline int32_t* get_address_of__index_1() { return &____index_1; } inline void set__index_1(int32_t value) { ____index_1 = value; } inline static int32_t get_offset_of__length_2() { return static_cast<int32_t>(offsetof(Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73, ____length_2)); } inline int32_t get__length_2() const { return ____length_2; } inline int32_t* get_address_of__length_2() { return &____length_2; } inline void set__length_2(int32_t value) { ____length_2 = value; } }; // System.Text.RegularExpressions.RegexCharClass_SingleRange struct SingleRange_t7B8E395E75FA456AB2834933C1ECA2007EEADEE0 : public RuntimeObject { public: // System.Char System.Text.RegularExpressions.RegexCharClass_SingleRange::_first Il2CppChar ____first_0; // System.Char System.Text.RegularExpressions.RegexCharClass_SingleRange::_last Il2CppChar ____last_1; public: inline static int32_t get_offset_of__first_0() { return static_cast<int32_t>(offsetof(SingleRange_t7B8E395E75FA456AB2834933C1ECA2007EEADEE0, ____first_0)); } inline Il2CppChar get__first_0() const { return ____first_0; } inline Il2CppChar* get_address_of__first_0() { return &____first_0; } inline void set__first_0(Il2CppChar value) { ____first_0 = value; } inline static int32_t get_offset_of__last_1() { return static_cast<int32_t>(offsetof(SingleRange_t7B8E395E75FA456AB2834933C1ECA2007EEADEE0, ____last_1)); } inline Il2CppChar get__last_1() const { return ____last_1; } inline Il2CppChar* get_address_of__last_1() { return &____last_1; } inline void set__last_1(Il2CppChar value) { ____last_1 = value; } }; // System.Text.RegularExpressions.RegexFC struct RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52 : public RuntimeObject { public: // System.Text.RegularExpressions.RegexCharClass System.Text.RegularExpressions.RegexFC::_cc RegexCharClass_t56409AACB9ADE95FA5333FC5D94FAADAF564AE90 * ____cc_0; // System.Boolean System.Text.RegularExpressions.RegexFC::_nullable bool ____nullable_1; // System.Boolean System.Text.RegularExpressions.RegexFC::_caseInsensitive bool ____caseInsensitive_2; public: inline static int32_t get_offset_of__cc_0() { return static_cast<int32_t>(offsetof(RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52, ____cc_0)); } inline RegexCharClass_t56409AACB9ADE95FA5333FC5D94FAADAF564AE90 * get__cc_0() const { return ____cc_0; } inline RegexCharClass_t56409AACB9ADE95FA5333FC5D94FAADAF564AE90 ** get_address_of__cc_0() { return &____cc_0; } inline void set__cc_0(RegexCharClass_t56409AACB9ADE95FA5333FC5D94FAADAF564AE90 * value) { ____cc_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____cc_0), (void*)value); } inline static int32_t get_offset_of__nullable_1() { return static_cast<int32_t>(offsetof(RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52, ____nullable_1)); } inline bool get__nullable_1() const { return ____nullable_1; } inline bool* get_address_of__nullable_1() { return &____nullable_1; } inline void set__nullable_1(bool value) { ____nullable_1 = value; } inline static int32_t get_offset_of__caseInsensitive_2() { return static_cast<int32_t>(offsetof(RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52, ____caseInsensitive_2)); } inline bool get__caseInsensitive_2() const { return ____caseInsensitive_2; } inline bool* get_address_of__caseInsensitive_2() { return &____caseInsensitive_2; } inline void set__caseInsensitive_2(bool value) { ____caseInsensitive_2 = value; } }; // System.Tuple`2<System.Int32,System.Int32> struct Tuple_2_t28940D9AA109CFB8C1D8CAEDD0EAF70EAD2F7C63 : public RuntimeObject { public: // T1 System.Tuple`2::m_Item1 int32_t ___m_Item1_0; // T2 System.Tuple`2::m_Item2 int32_t ___m_Item2_1; public: inline static int32_t get_offset_of_m_Item1_0() { return static_cast<int32_t>(offsetof(Tuple_2_t28940D9AA109CFB8C1D8CAEDD0EAF70EAD2F7C63, ___m_Item1_0)); } inline int32_t get_m_Item1_0() const { return ___m_Item1_0; } inline int32_t* get_address_of_m_Item1_0() { return &___m_Item1_0; } inline void set_m_Item1_0(int32_t value) { ___m_Item1_0 = value; } inline static int32_t get_offset_of_m_Item2_1() { return static_cast<int32_t>(offsetof(Tuple_2_t28940D9AA109CFB8C1D8CAEDD0EAF70EAD2F7C63, ___m_Item2_1)); } inline int32_t get_m_Item2_1() const { return ___m_Item2_1; } inline int32_t* get_address_of_m_Item2_1() { return &___m_Item2_1; } inline void set_m_Item2_1(int32_t value) { ___m_Item2_1 = value; } }; // System.ValueType struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF : public RuntimeObject { public: public: }; // Native definition for P/Invoke marshalling of System.ValueType struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_marshaled_pinvoke { }; // Native definition for COM marshalling of System.ValueType struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_marshaled_com { }; // System.Boolean struct Boolean_tB53F6830F670160873277339AA58F15CAED4399C { public: // System.Boolean System.Boolean::m_value bool ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Boolean_tB53F6830F670160873277339AA58F15CAED4399C, ___m_value_0)); } inline bool get_m_value_0() const { return ___m_value_0; } inline bool* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(bool value) { ___m_value_0 = value; } }; struct Boolean_tB53F6830F670160873277339AA58F15CAED4399C_StaticFields { public: // System.String System.Boolean::TrueString String_t* ___TrueString_5; // System.String System.Boolean::FalseString String_t* ___FalseString_6; public: inline static int32_t get_offset_of_TrueString_5() { return static_cast<int32_t>(offsetof(Boolean_tB53F6830F670160873277339AA58F15CAED4399C_StaticFields, ___TrueString_5)); } inline String_t* get_TrueString_5() const { return ___TrueString_5; } inline String_t** get_address_of_TrueString_5() { return &___TrueString_5; } inline void set_TrueString_5(String_t* value) { ___TrueString_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___TrueString_5), (void*)value); } inline static int32_t get_offset_of_FalseString_6() { return static_cast<int32_t>(offsetof(Boolean_tB53F6830F670160873277339AA58F15CAED4399C_StaticFields, ___FalseString_6)); } inline String_t* get_FalseString_6() const { return ___FalseString_6; } inline String_t** get_address_of_FalseString_6() { return &___FalseString_6; } inline void set_FalseString_6(String_t* value) { ___FalseString_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___FalseString_6), (void*)value); } }; // System.Byte struct Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07 { public: // System.Byte System.Byte::m_value uint8_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07, ___m_value_0)); } inline uint8_t get_m_value_0() const { return ___m_value_0; } inline uint8_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(uint8_t value) { ___m_value_0 = value; } }; // System.Collections.Concurrent.ConcurrentQueue`1_Segment_Slot<System.Object> struct Slot_tE8763ECEB14557B38DAD4F3F6AE10D98DAD15ED5 { public: // T System.Collections.Concurrent.ConcurrentQueue`1_Segment_Slot::Item RuntimeObject * ___Item_0; // System.Int32 System.Collections.Concurrent.ConcurrentQueue`1_Segment_Slot::SequenceNumber int32_t ___SequenceNumber_1; public: inline static int32_t get_offset_of_Item_0() { return static_cast<int32_t>(offsetof(Slot_tE8763ECEB14557B38DAD4F3F6AE10D98DAD15ED5, ___Item_0)); } inline RuntimeObject * get_Item_0() const { return ___Item_0; } inline RuntimeObject ** get_address_of_Item_0() { return &___Item_0; } inline void set_Item_0(RuntimeObject * value) { ___Item_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___Item_0), (void*)value); } inline static int32_t get_offset_of_SequenceNumber_1() { return static_cast<int32_t>(offsetof(Slot_tE8763ECEB14557B38DAD4F3F6AE10D98DAD15ED5, ___SequenceNumber_1)); } inline int32_t get_SequenceNumber_1() const { return ___SequenceNumber_1; } inline int32_t* get_address_of_SequenceNumber_1() { return &___SequenceNumber_1; } inline void set_SequenceNumber_1(int32_t value) { ___SequenceNumber_1 = value; } }; // System.Collections.Generic.Dictionary`2_Entry<System.Reflection.MethodInfo,System.Collections.Generic.Dictionary`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>> struct Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525 { public: // System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.Dictionary`2_Entry::next int32_t ___next_1; // TKey System.Collections.Generic.Dictionary`2_Entry::key MethodInfo_t * ___key_2; // TValue System.Collections.Generic.Dictionary`2_Entry::value Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 * ___value_3; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525, ___hashCode_0)); } inline int32_t get_hashCode_0() const { return ___hashCode_0; } inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; } inline void set_hashCode_0(int32_t value) { ___hashCode_0 = value; } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525, ___key_2)); } inline MethodInfo_t * get_key_2() const { return ___key_2; } inline MethodInfo_t ** get_address_of_key_2() { return &___key_2; } inline void set_key_2(MethodInfo_t * value) { ___key_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_2), (void*)value); } inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525, ___value_3)); } inline Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 * get_value_3() const { return ___value_3; } inline Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 ** get_address_of_value_3() { return &___value_3; } inline void set_value_3(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 * value) { ___value_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_3), (void*)value); } }; // System.Collections.Generic.Dictionary`2_Entry<System.String,System.Collections.Generic.List`1<System.Int32>> struct Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B { public: // System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.Dictionary`2_Entry::next int32_t ___next_1; // TKey System.Collections.Generic.Dictionary`2_Entry::key String_t* ___key_2; // TValue System.Collections.Generic.Dictionary`2_Entry::value List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * ___value_3; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B, ___hashCode_0)); } inline int32_t get_hashCode_0() const { return ___hashCode_0; } inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; } inline void set_hashCode_0(int32_t value) { ___hashCode_0 = value; } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B, ___key_2)); } inline String_t* get_key_2() const { return ___key_2; } inline String_t** get_address_of_key_2() { return &___key_2; } inline void set_key_2(String_t* value) { ___key_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_2), (void*)value); } inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B, ___value_3)); } inline List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * get_value_3() const { return ___value_3; } inline List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 ** get_address_of_value_3() { return &___value_3; } inline void set_value_3(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * value) { ___value_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_3), (void*)value); } }; // System.Collections.Generic.Dictionary`2_Entry<System.String,System.Tuple`2<System.Guid,System.String>> struct Entry_tE24875468498A83738FC9E356C4603915D0A12AA { public: // System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.Dictionary`2_Entry::next int32_t ___next_1; // TKey System.Collections.Generic.Dictionary`2_Entry::key String_t* ___key_2; // TValue System.Collections.Generic.Dictionary`2_Entry::value Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 * ___value_3; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_tE24875468498A83738FC9E356C4603915D0A12AA, ___hashCode_0)); } inline int32_t get_hashCode_0() const { return ___hashCode_0; } inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; } inline void set_hashCode_0(int32_t value) { ___hashCode_0 = value; } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_tE24875468498A83738FC9E356C4603915D0A12AA, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_tE24875468498A83738FC9E356C4603915D0A12AA, ___key_2)); } inline String_t* get_key_2() const { return ___key_2; } inline String_t** get_address_of_key_2() { return &___key_2; } inline void set_key_2(String_t* value) { ___key_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_2), (void*)value); } inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_tE24875468498A83738FC9E356C4603915D0A12AA, ___value_3)); } inline Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 * get_value_3() const { return ___value_3; } inline Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 ** get_address_of_value_3() { return &___value_3; } inline void set_value_3(Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 * value) { ___value_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_3), (void*)value); } }; // System.Collections.Generic.Dictionary`2_Entry<System.String,System.Type> struct Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6 { public: // System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.Dictionary`2_Entry::next int32_t ___next_1; // TKey System.Collections.Generic.Dictionary`2_Entry::key String_t* ___key_2; // TValue System.Collections.Generic.Dictionary`2_Entry::value Type_t * ___value_3; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6, ___hashCode_0)); } inline int32_t get_hashCode_0() const { return ___hashCode_0; } inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; } inline void set_hashCode_0(int32_t value) { ___hashCode_0 = value; } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6, ___key_2)); } inline String_t* get_key_2() const { return ___key_2; } inline String_t** get_address_of_key_2() { return &___key_2; } inline void set_key_2(String_t* value) { ___key_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_2), (void*)value); } inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6, ___value_3)); } inline Type_t * get_value_3() const { return ___value_3; } inline Type_t ** get_address_of_value_3() { return &___value_3; } inline void set_value_3(Type_t * value) { ___value_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_3), (void*)value); } }; // System.Collections.Generic.Dictionary`2_Entry<System.String,System.UriParser> struct Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49 { public: // System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.Dictionary`2_Entry::next int32_t ___next_1; // TKey System.Collections.Generic.Dictionary`2_Entry::key String_t* ___key_2; // TValue System.Collections.Generic.Dictionary`2_Entry::value UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___value_3; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49, ___hashCode_0)); } inline int32_t get_hashCode_0() const { return ___hashCode_0; } inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; } inline void set_hashCode_0(int32_t value) { ___hashCode_0 = value; } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49, ___key_2)); } inline String_t* get_key_2() const { return ___key_2; } inline String_t** get_address_of_key_2() { return &___key_2; } inline void set_key_2(String_t* value) { ___key_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_2), (void*)value); } inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49, ___value_3)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_value_3() const { return ___value_3; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_value_3() { return &___value_3; } inline void set_value_3(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___value_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_3), (void*)value); } }; // System.Collections.Generic.Dictionary`2_Entry<System.UInt64,System.Object> struct Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29 { public: // System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.Dictionary`2_Entry::next int32_t ___next_1; // TKey System.Collections.Generic.Dictionary`2_Entry::key uint64_t ___key_2; // TValue System.Collections.Generic.Dictionary`2_Entry::value RuntimeObject * ___value_3; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29, ___hashCode_0)); } inline int32_t get_hashCode_0() const { return ___hashCode_0; } inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; } inline void set_hashCode_0(int32_t value) { ___hashCode_0 = value; } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29, ___key_2)); } inline uint64_t get_key_2() const { return ___key_2; } inline uint64_t* get_address_of_key_2() { return &___key_2; } inline void set_key_2(uint64_t value) { ___key_2 = value; } inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29, ___value_3)); } inline RuntimeObject * get_value_3() const { return ___value_3; } inline RuntimeObject ** get_address_of_value_3() { return &___value_3; } inline void set_value_3(RuntimeObject * value) { ___value_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_3), (void*)value); } }; // System.Collections.Generic.Dictionary`2_Entry<System.UInt64,System.String> struct Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7 { public: // System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.Dictionary`2_Entry::next int32_t ___next_1; // TKey System.Collections.Generic.Dictionary`2_Entry::key uint64_t ___key_2; // TValue System.Collections.Generic.Dictionary`2_Entry::value String_t* ___value_3; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7, ___hashCode_0)); } inline int32_t get_hashCode_0() const { return ___hashCode_0; } inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; } inline void set_hashCode_0(int32_t value) { ___hashCode_0 = value; } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7, ___key_2)); } inline uint64_t get_key_2() const { return ___key_2; } inline uint64_t* get_address_of_key_2() { return &___key_2; } inline void set_key_2(uint64_t value) { ___key_2 = value; } inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7, ___value_3)); } inline String_t* get_value_3() const { return ___value_3; } inline String_t** get_address_of_value_3() { return &___value_3; } inline void set_value_3(String_t* value) { ___value_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_3), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.Reflection.MethodInfo,System.Collections.Generic.Dictionary`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>> struct KeyValuePair_2_tFC794823BFD7244C20B2F0E08CAD6F17FBA00B35 { public: // TKey System.Collections.Generic.KeyValuePair`2::key MethodInfo_t * ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 * ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_tFC794823BFD7244C20B2F0E08CAD6F17FBA00B35, ___key_0)); } inline MethodInfo_t * get_key_0() const { return ___key_0; } inline MethodInfo_t ** get_address_of_key_0() { return &___key_0; } inline void set_key_0(MethodInfo_t * value) { ___key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value); } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_tFC794823BFD7244C20B2F0E08CAD6F17FBA00B35, ___value_1)); } inline Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 * get_value_1() const { return ___value_1; } inline Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.String,System.Collections.Generic.List`1<System.Int32>> struct KeyValuePair_2_t01E687BB579B1BFA1799F894B174C2E381408C8C { public: // TKey System.Collections.Generic.KeyValuePair`2::key String_t* ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t01E687BB579B1BFA1799F894B174C2E381408C8C, ___key_0)); } inline String_t* get_key_0() const { return ___key_0; } inline String_t** get_address_of_key_0() { return &___key_0; } inline void set_key_0(String_t* value) { ___key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value); } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t01E687BB579B1BFA1799F894B174C2E381408C8C, ___value_1)); } inline List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * get_value_1() const { return ___value_1; } inline List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.String,System.Tuple`2<System.Guid,System.String>> struct KeyValuePair_2_t09D26BDC22DFF746F1AC334C5172EA12013E686F { public: // TKey System.Collections.Generic.KeyValuePair`2::key String_t* ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 * ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t09D26BDC22DFF746F1AC334C5172EA12013E686F, ___key_0)); } inline String_t* get_key_0() const { return ___key_0; } inline String_t** get_address_of_key_0() { return &___key_0; } inline void set_key_0(String_t* value) { ___key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value); } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t09D26BDC22DFF746F1AC334C5172EA12013E686F, ___value_1)); } inline Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 * get_value_1() const { return ___value_1; } inline Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.String,System.Type> struct KeyValuePair_2_t43CC618DDB1EEF4DBAD7DD0E770F155B528EDA3A { public: // TKey System.Collections.Generic.KeyValuePair`2::key String_t* ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value Type_t * ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t43CC618DDB1EEF4DBAD7DD0E770F155B528EDA3A, ___key_0)); } inline String_t* get_key_0() const { return ___key_0; } inline String_t** get_address_of_key_0() { return &___key_0; } inline void set_key_0(String_t* value) { ___key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value); } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t43CC618DDB1EEF4DBAD7DD0E770F155B528EDA3A, ___value_1)); } inline Type_t * get_value_1() const { return ___value_1; } inline Type_t ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(Type_t * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.String,System.UriParser> struct KeyValuePair_2_t315423B66DF57421DE96C3FD9C43795E0D10FE0A { public: // TKey System.Collections.Generic.KeyValuePair`2::key String_t* ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t315423B66DF57421DE96C3FD9C43795E0D10FE0A, ___key_0)); } inline String_t* get_key_0() const { return ___key_0; } inline String_t** get_address_of_key_0() { return &___key_0; } inline void set_key_0(String_t* value) { ___key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value); } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t315423B66DF57421DE96C3FD9C43795E0D10FE0A, ___value_1)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_value_1() const { return ___value_1; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.Type,System.Runtime.Serialization.Formatters.Binary.TypeInformation> struct KeyValuePair_2_tDAD65FD247EA1F457EDB8C66C891BE3A548F82CC { public: // TKey System.Collections.Generic.KeyValuePair`2::key Type_t * ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value TypeInformation_t0D3CF8347F5EA65A6D5B8D6C0D0F97A96E351F17 * ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_tDAD65FD247EA1F457EDB8C66C891BE3A548F82CC, ___key_0)); } inline Type_t * get_key_0() const { return ___key_0; } inline Type_t ** get_address_of_key_0() { return &___key_0; } inline void set_key_0(Type_t * value) { ___key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value); } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_tDAD65FD247EA1F457EDB8C66C891BE3A548F82CC, ___value_1)); } inline TypeInformation_t0D3CF8347F5EA65A6D5B8D6C0D0F97A96E351F17 * get_value_1() const { return ___value_1; } inline TypeInformation_t0D3CF8347F5EA65A6D5B8D6C0D0F97A96E351F17 ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(TypeInformation_t0D3CF8347F5EA65A6D5B8D6C0D0F97A96E351F17 * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object> struct KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 { public: // TKey System.Collections.Generic.KeyValuePair`2::key uint64_t ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value RuntimeObject * ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4, ___key_0)); } inline uint64_t get_key_0() const { return ___key_0; } inline uint64_t* get_address_of_key_0() { return &___key_0; } inline void set_key_0(uint64_t value) { ___key_0 = value; } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4, ___value_1)); } inline RuntimeObject * get_value_1() const { return ___value_1; } inline RuntimeObject ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(RuntimeObject * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.UInt64,System.String> struct KeyValuePair_2_t1B0B8773CCAF35F538F084F376A37AE5779ADBBD { public: // TKey System.Collections.Generic.KeyValuePair`2::key uint64_t ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value String_t* ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t1B0B8773CCAF35F538F084F376A37AE5779ADBBD, ___key_0)); } inline uint64_t get_key_0() const { return ___key_0; } inline uint64_t* get_address_of_key_0() { return &___key_0; } inline void set_key_0(uint64_t value) { ___key_0 = value; } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t1B0B8773CCAF35F538F084F376A37AE5779ADBBD, ___value_1)); } inline String_t* get_value_1() const { return ___value_1; } inline String_t** get_address_of_value_1() { return &___value_1; } inline void set_value_1(String_t* value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Hashtable_bucket struct bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 { public: // System.Object System.Collections.Hashtable_bucket::key RuntimeObject * ___key_0; // System.Object System.Collections.Hashtable_bucket::val RuntimeObject * ___val_1; // System.Int32 System.Collections.Hashtable_bucket::hash_coll int32_t ___hash_coll_2; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(bucket_t1C848488DF65838689F7773D46F9E7E8C881B083, ___key_0)); } inline RuntimeObject * get_key_0() const { return ___key_0; } inline RuntimeObject ** get_address_of_key_0() { return &___key_0; } inline void set_key_0(RuntimeObject * value) { ___key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value); } inline static int32_t get_offset_of_val_1() { return static_cast<int32_t>(offsetof(bucket_t1C848488DF65838689F7773D46F9E7E8C881B083, ___val_1)); } inline RuntimeObject * get_val_1() const { return ___val_1; } inline RuntimeObject ** get_address_of_val_1() { return &___val_1; } inline void set_val_1(RuntimeObject * value) { ___val_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___val_1), (void*)value); } inline static int32_t get_offset_of_hash_coll_2() { return static_cast<int32_t>(offsetof(bucket_t1C848488DF65838689F7773D46F9E7E8C881B083, ___hash_coll_2)); } inline int32_t get_hash_coll_2() const { return ___hash_coll_2; } inline int32_t* get_address_of_hash_coll_2() { return &___hash_coll_2; } inline void set_hash_coll_2(int32_t value) { ___hash_coll_2 = value; } }; // Native definition for P/Invoke marshalling of System.Collections.Hashtable/bucket struct bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshaled_pinvoke { Il2CppIUnknown* ___key_0; Il2CppIUnknown* ___val_1; int32_t ___hash_coll_2; }; // Native definition for COM marshalling of System.Collections.Hashtable/bucket struct bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshaled_com { Il2CppIUnknown* ___key_0; Il2CppIUnknown* ___val_1; int32_t ___hash_coll_2; }; // System.ComponentModel.AttributeCollection_AttributeEntry struct AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD { public: // System.Type System.ComponentModel.AttributeCollection_AttributeEntry::type Type_t * ___type_0; // System.Int32 System.ComponentModel.AttributeCollection_AttributeEntry::index int32_t ___index_1; public: inline static int32_t get_offset_of_type_0() { return static_cast<int32_t>(offsetof(AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD, ___type_0)); } inline Type_t * get_type_0() const { return ___type_0; } inline Type_t ** get_address_of_type_0() { return &___type_0; } inline void set_type_0(Type_t * value) { ___type_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___type_0), (void*)value); } inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD, ___index_1)); } inline int32_t get_index_1() const { return ___index_1; } inline int32_t* get_address_of_index_1() { return &___index_1; } inline void set_index_1(int32_t value) { ___index_1 = value; } }; // Native definition for P/Invoke marshalling of System.ComponentModel.AttributeCollection/AttributeEntry struct AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD_marshaled_pinvoke { Type_t * ___type_0; int32_t ___index_1; }; // Native definition for COM marshalling of System.ComponentModel.AttributeCollection/AttributeEntry struct AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD_marshaled_com { Type_t * ___type_0; int32_t ___index_1; }; // System.ComponentModel.EventDescriptor struct EventDescriptor_tAB488D66C0409A1889EE56355848CDA43ED95222 : public MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8 { public: public: }; // System.ComponentModel.PropertyDescriptor struct PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D : public MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8 { public: // System.ComponentModel.TypeConverter System.ComponentModel.PropertyDescriptor::converter TypeConverter_t8306AE03734853B551DDF089C1F17836A7764DBB * ___converter_12; // System.Collections.Hashtable System.ComponentModel.PropertyDescriptor::valueChangedHandlers Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * ___valueChangedHandlers_13; // System.Object[] System.ComponentModel.PropertyDescriptor::editors ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___editors_14; // System.Type[] System.ComponentModel.PropertyDescriptor::editorTypes TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___editorTypes_15; // System.Int32 System.ComponentModel.PropertyDescriptor::editorCount int32_t ___editorCount_16; public: inline static int32_t get_offset_of_converter_12() { return static_cast<int32_t>(offsetof(PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D, ___converter_12)); } inline TypeConverter_t8306AE03734853B551DDF089C1F17836A7764DBB * get_converter_12() const { return ___converter_12; } inline TypeConverter_t8306AE03734853B551DDF089C1F17836A7764DBB ** get_address_of_converter_12() { return &___converter_12; } inline void set_converter_12(TypeConverter_t8306AE03734853B551DDF089C1F17836A7764DBB * value) { ___converter_12 = value; Il2CppCodeGenWriteBarrier((void**)(&___converter_12), (void*)value); } inline static int32_t get_offset_of_valueChangedHandlers_13() { return static_cast<int32_t>(offsetof(PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D, ___valueChangedHandlers_13)); } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * get_valueChangedHandlers_13() const { return ___valueChangedHandlers_13; } inline Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 ** get_address_of_valueChangedHandlers_13() { return &___valueChangedHandlers_13; } inline void set_valueChangedHandlers_13(Hashtable_t978F65B8006C8F5504B286526AEC6608FF983FC9 * value) { ___valueChangedHandlers_13 = value; Il2CppCodeGenWriteBarrier((void**)(&___valueChangedHandlers_13), (void*)value); } inline static int32_t get_offset_of_editors_14() { return static_cast<int32_t>(offsetof(PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D, ___editors_14)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get_editors_14() const { return ___editors_14; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of_editors_14() { return &___editors_14; } inline void set_editors_14(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ___editors_14 = value; Il2CppCodeGenWriteBarrier((void**)(&___editors_14), (void*)value); } inline static int32_t get_offset_of_editorTypes_15() { return static_cast<int32_t>(offsetof(PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D, ___editorTypes_15)); } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* get_editorTypes_15() const { return ___editorTypes_15; } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F** get_address_of_editorTypes_15() { return &___editorTypes_15; } inline void set_editorTypes_15(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* value) { ___editorTypes_15 = value; Il2CppCodeGenWriteBarrier((void**)(&___editorTypes_15), (void*)value); } inline static int32_t get_offset_of_editorCount_16() { return static_cast<int32_t>(offsetof(PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D, ___editorCount_16)); } inline int32_t get_editorCount_16() const { return ___editorCount_16; } inline int32_t* get_address_of_editorCount_16() { return &___editorCount_16; } inline void set_editorCount_16(int32_t value) { ___editorCount_16 = value; } }; // System.Diagnostics.Tracing.EventDescriptor struct EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E { public: union { struct { union { #pragma pack(push, tp, 1) struct { // System.Int32 System.Diagnostics.Tracing.EventDescriptor::m_traceloggingId int32_t ___m_traceloggingId_0; }; #pragma pack(pop, tp) struct { int32_t ___m_traceloggingId_0_forAlignmentOnly; }; #pragma pack(push, tp, 1) struct { // System.UInt16 System.Diagnostics.Tracing.EventDescriptor::m_id uint16_t ___m_id_1; }; #pragma pack(pop, tp) struct { uint16_t ___m_id_1_forAlignmentOnly; }; #pragma pack(push, tp, 1) struct { char ___m_version_2_OffsetPadding[2]; // System.Byte System.Diagnostics.Tracing.EventDescriptor::m_version uint8_t ___m_version_2; }; #pragma pack(pop, tp) struct { char ___m_version_2_OffsetPadding_forAlignmentOnly[2]; uint8_t ___m_version_2_forAlignmentOnly; }; #pragma pack(push, tp, 1) struct { char ___m_channel_3_OffsetPadding[3]; // System.Byte System.Diagnostics.Tracing.EventDescriptor::m_channel uint8_t ___m_channel_3; }; #pragma pack(pop, tp) struct { char ___m_channel_3_OffsetPadding_forAlignmentOnly[3]; uint8_t ___m_channel_3_forAlignmentOnly; }; #pragma pack(push, tp, 1) struct { char ___m_level_4_OffsetPadding[4]; // System.Byte System.Diagnostics.Tracing.EventDescriptor::m_level uint8_t ___m_level_4; }; #pragma pack(pop, tp) struct { char ___m_level_4_OffsetPadding_forAlignmentOnly[4]; uint8_t ___m_level_4_forAlignmentOnly; }; #pragma pack(push, tp, 1) struct { char ___m_opcode_5_OffsetPadding[5]; // System.Byte System.Diagnostics.Tracing.EventDescriptor::m_opcode uint8_t ___m_opcode_5; }; #pragma pack(pop, tp) struct { char ___m_opcode_5_OffsetPadding_forAlignmentOnly[5]; uint8_t ___m_opcode_5_forAlignmentOnly; }; #pragma pack(push, tp, 1) struct { char ___m_task_6_OffsetPadding[6]; // System.UInt16 System.Diagnostics.Tracing.EventDescriptor::m_task uint16_t ___m_task_6; }; #pragma pack(pop, tp) struct { char ___m_task_6_OffsetPadding_forAlignmentOnly[6]; uint16_t ___m_task_6_forAlignmentOnly; }; #pragma pack(push, tp, 1) struct { char ___m_keywords_7_OffsetPadding[8]; // System.Int64 System.Diagnostics.Tracing.EventDescriptor::m_keywords int64_t ___m_keywords_7; }; #pragma pack(pop, tp) struct { char ___m_keywords_7_OffsetPadding_forAlignmentOnly[8]; int64_t ___m_keywords_7_forAlignmentOnly; }; }; }; uint8_t EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E__padding[16]; }; public: inline static int32_t get_offset_of_m_traceloggingId_0() { return static_cast<int32_t>(offsetof(EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E, ___m_traceloggingId_0)); } inline int32_t get_m_traceloggingId_0() const { return ___m_traceloggingId_0; } inline int32_t* get_address_of_m_traceloggingId_0() { return &___m_traceloggingId_0; } inline void set_m_traceloggingId_0(int32_t value) { ___m_traceloggingId_0 = value; } inline static int32_t get_offset_of_m_id_1() { return static_cast<int32_t>(offsetof(EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E, ___m_id_1)); } inline uint16_t get_m_id_1() const { return ___m_id_1; } inline uint16_t* get_address_of_m_id_1() { return &___m_id_1; } inline void set_m_id_1(uint16_t value) { ___m_id_1 = value; } inline static int32_t get_offset_of_m_version_2() { return static_cast<int32_t>(offsetof(EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E, ___m_version_2)); } inline uint8_t get_m_version_2() const { return ___m_version_2; } inline uint8_t* get_address_of_m_version_2() { return &___m_version_2; } inline void set_m_version_2(uint8_t value) { ___m_version_2 = value; } inline static int32_t get_offset_of_m_channel_3() { return static_cast<int32_t>(offsetof(EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E, ___m_channel_3)); } inline uint8_t get_m_channel_3() const { return ___m_channel_3; } inline uint8_t* get_address_of_m_channel_3() { return &___m_channel_3; } inline void set_m_channel_3(uint8_t value) { ___m_channel_3 = value; } inline static int32_t get_offset_of_m_level_4() { return static_cast<int32_t>(offsetof(EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E, ___m_level_4)); } inline uint8_t get_m_level_4() const { return ___m_level_4; } inline uint8_t* get_address_of_m_level_4() { return &___m_level_4; } inline void set_m_level_4(uint8_t value) { ___m_level_4 = value; } inline static int32_t get_offset_of_m_opcode_5() { return static_cast<int32_t>(offsetof(EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E, ___m_opcode_5)); } inline uint8_t get_m_opcode_5() const { return ___m_opcode_5; } inline uint8_t* get_address_of_m_opcode_5() { return &___m_opcode_5; } inline void set_m_opcode_5(uint8_t value) { ___m_opcode_5 = value; } inline static int32_t get_offset_of_m_task_6() { return static_cast<int32_t>(offsetof(EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E, ___m_task_6)); } inline uint16_t get_m_task_6() const { return ___m_task_6; } inline uint16_t* get_address_of_m_task_6() { return &___m_task_6; } inline void set_m_task_6(uint16_t value) { ___m_task_6 = value; } inline static int32_t get_offset_of_m_keywords_7() { return static_cast<int32_t>(offsetof(EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E, ___m_keywords_7)); } inline int64_t get_m_keywords_7() const { return ___m_keywords_7; } inline int64_t* get_address_of_m_keywords_7() { return &___m_keywords_7; } inline void set_m_keywords_7(int64_t value) { ___m_keywords_7 = value; } }; // System.Diagnostics.Tracing.EventProvider_SessionInfo struct SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A { public: // System.Int32 System.Diagnostics.Tracing.EventProvider_SessionInfo::sessionIdBit int32_t ___sessionIdBit_0; // System.Int32 System.Diagnostics.Tracing.EventProvider_SessionInfo::etwSessionId int32_t ___etwSessionId_1; public: inline static int32_t get_offset_of_sessionIdBit_0() { return static_cast<int32_t>(offsetof(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A, ___sessionIdBit_0)); } inline int32_t get_sessionIdBit_0() const { return ___sessionIdBit_0; } inline int32_t* get_address_of_sessionIdBit_0() { return &___sessionIdBit_0; } inline void set_sessionIdBit_0(int32_t value) { ___sessionIdBit_0 = value; } inline static int32_t get_offset_of_etwSessionId_1() { return static_cast<int32_t>(offsetof(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A, ___etwSessionId_1)); } inline int32_t get_etwSessionId_1() const { return ___etwSessionId_1; } inline int32_t* get_address_of_etwSessionId_1() { return &___etwSessionId_1; } inline void set_etwSessionId_1(int32_t value) { ___etwSessionId_1 = value; } }; // System.Double struct Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409 { public: // System.Double System.Double::m_value double ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409, ___m_value_0)); } inline double get_m_value_0() const { return ___m_value_0; } inline double* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(double value) { ___m_value_0 = value; } }; struct Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_StaticFields { public: // System.Double System.Double::NegativeZero double ___NegativeZero_7; public: inline static int32_t get_offset_of_NegativeZero_7() { return static_cast<int32_t>(offsetof(Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_StaticFields, ___NegativeZero_7)); } inline double get_NegativeZero_7() const { return ___NegativeZero_7; } inline double* get_address_of_NegativeZero_7() { return &___NegativeZero_7; } inline void set_NegativeZero_7(double value) { ___NegativeZero_7 = value; } }; // System.Enum struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 : public ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF { public: public: }; struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_StaticFields { public: // System.Char[] System.Enum::enumSeperatorCharArray CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___enumSeperatorCharArray_0; public: inline static int32_t get_offset_of_enumSeperatorCharArray_0() { return static_cast<int32_t>(offsetof(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_StaticFields, ___enumSeperatorCharArray_0)); } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_enumSeperatorCharArray_0() const { return ___enumSeperatorCharArray_0; } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_enumSeperatorCharArray_0() { return &___enumSeperatorCharArray_0; } inline void set_enumSeperatorCharArray_0(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value) { ___enumSeperatorCharArray_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___enumSeperatorCharArray_0), (void*)value); } }; // Native definition for P/Invoke marshalling of System.Enum struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_marshaled_pinvoke { }; // Native definition for COM marshalling of System.Enum struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_marshaled_com { }; // System.Guid struct Guid_t { public: // System.Int32 System.Guid::_a int32_t ____a_1; // System.Int16 System.Guid::_b int16_t ____b_2; // System.Int16 System.Guid::_c int16_t ____c_3; // System.Byte System.Guid::_d uint8_t ____d_4; // System.Byte System.Guid::_e uint8_t ____e_5; // System.Byte System.Guid::_f uint8_t ____f_6; // System.Byte System.Guid::_g uint8_t ____g_7; // System.Byte System.Guid::_h uint8_t ____h_8; // System.Byte System.Guid::_i uint8_t ____i_9; // System.Byte System.Guid::_j uint8_t ____j_10; // System.Byte System.Guid::_k uint8_t ____k_11; public: inline static int32_t get_offset_of__a_1() { return static_cast<int32_t>(offsetof(Guid_t, ____a_1)); } inline int32_t get__a_1() const { return ____a_1; } inline int32_t* get_address_of__a_1() { return &____a_1; } inline void set__a_1(int32_t value) { ____a_1 = value; } inline static int32_t get_offset_of__b_2() { return static_cast<int32_t>(offsetof(Guid_t, ____b_2)); } inline int16_t get__b_2() const { return ____b_2; } inline int16_t* get_address_of__b_2() { return &____b_2; } inline void set__b_2(int16_t value) { ____b_2 = value; } inline static int32_t get_offset_of__c_3() { return static_cast<int32_t>(offsetof(Guid_t, ____c_3)); } inline int16_t get__c_3() const { return ____c_3; } inline int16_t* get_address_of__c_3() { return &____c_3; } inline void set__c_3(int16_t value) { ____c_3 = value; } inline static int32_t get_offset_of__d_4() { return static_cast<int32_t>(offsetof(Guid_t, ____d_4)); } inline uint8_t get__d_4() const { return ____d_4; } inline uint8_t* get_address_of__d_4() { return &____d_4; } inline void set__d_4(uint8_t value) { ____d_4 = value; } inline static int32_t get_offset_of__e_5() { return static_cast<int32_t>(offsetof(Guid_t, ____e_5)); } inline uint8_t get__e_5() const { return ____e_5; } inline uint8_t* get_address_of__e_5() { return &____e_5; } inline void set__e_5(uint8_t value) { ____e_5 = value; } inline static int32_t get_offset_of__f_6() { return static_cast<int32_t>(offsetof(Guid_t, ____f_6)); } inline uint8_t get__f_6() const { return ____f_6; } inline uint8_t* get_address_of__f_6() { return &____f_6; } inline void set__f_6(uint8_t value) { ____f_6 = value; } inline static int32_t get_offset_of__g_7() { return static_cast<int32_t>(offsetof(Guid_t, ____g_7)); } inline uint8_t get__g_7() const { return ____g_7; } inline uint8_t* get_address_of__g_7() { return &____g_7; } inline void set__g_7(uint8_t value) { ____g_7 = value; } inline static int32_t get_offset_of__h_8() { return static_cast<int32_t>(offsetof(Guid_t, ____h_8)); } inline uint8_t get__h_8() const { return ____h_8; } inline uint8_t* get_address_of__h_8() { return &____h_8; } inline void set__h_8(uint8_t value) { ____h_8 = value; } inline static int32_t get_offset_of__i_9() { return static_cast<int32_t>(offsetof(Guid_t, ____i_9)); } inline uint8_t get__i_9() const { return ____i_9; } inline uint8_t* get_address_of__i_9() { return &____i_9; } inline void set__i_9(uint8_t value) { ____i_9 = value; } inline static int32_t get_offset_of__j_10() { return static_cast<int32_t>(offsetof(Guid_t, ____j_10)); } inline uint8_t get__j_10() const { return ____j_10; } inline uint8_t* get_address_of__j_10() { return &____j_10; } inline void set__j_10(uint8_t value) { ____j_10 = value; } inline static int32_t get_offset_of__k_11() { return static_cast<int32_t>(offsetof(Guid_t, ____k_11)); } inline uint8_t get__k_11() const { return ____k_11; } inline uint8_t* get_address_of__k_11() { return &____k_11; } inline void set__k_11(uint8_t value) { ____k_11 = value; } }; struct Guid_t_StaticFields { public: // System.Guid System.Guid::Empty Guid_t ___Empty_0; // System.Object System.Guid::_rngAccess RuntimeObject * ____rngAccess_12; // System.Security.Cryptography.RandomNumberGenerator System.Guid::_rng RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * ____rng_13; // System.Security.Cryptography.RandomNumberGenerator System.Guid::_fastRng RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * ____fastRng_14; public: inline static int32_t get_offset_of_Empty_0() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ___Empty_0)); } inline Guid_t get_Empty_0() const { return ___Empty_0; } inline Guid_t * get_address_of_Empty_0() { return &___Empty_0; } inline void set_Empty_0(Guid_t value) { ___Empty_0 = value; } inline static int32_t get_offset_of__rngAccess_12() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ____rngAccess_12)); } inline RuntimeObject * get__rngAccess_12() const { return ____rngAccess_12; } inline RuntimeObject ** get_address_of__rngAccess_12() { return &____rngAccess_12; } inline void set__rngAccess_12(RuntimeObject * value) { ____rngAccess_12 = value; Il2CppCodeGenWriteBarrier((void**)(&____rngAccess_12), (void*)value); } inline static int32_t get_offset_of__rng_13() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ____rng_13)); } inline RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * get__rng_13() const { return ____rng_13; } inline RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 ** get_address_of__rng_13() { return &____rng_13; } inline void set__rng_13(RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * value) { ____rng_13 = value; Il2CppCodeGenWriteBarrier((void**)(&____rng_13), (void*)value); } inline static int32_t get_offset_of__fastRng_14() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ____fastRng_14)); } inline RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * get__fastRng_14() const { return ____fastRng_14; } inline RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 ** get_address_of__fastRng_14() { return &____fastRng_14; } inline void set__fastRng_14(RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * value) { ____fastRng_14 = value; Il2CppCodeGenWriteBarrier((void**)(&____fastRng_14), (void*)value); } }; // System.Int16 struct Int16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D { public: // System.Int16 System.Int16::m_value int16_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Int16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D, ___m_value_0)); } inline int16_t get_m_value_0() const { return ___m_value_0; } inline int16_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(int16_t value) { ___m_value_0 = value; } }; // System.Int32 struct Int32_t585191389E07734F19F3156FF88FB3EF4800D102 { public: // System.Int32 System.Int32::m_value int32_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Int32_t585191389E07734F19F3156FF88FB3EF4800D102, ___m_value_0)); } inline int32_t get_m_value_0() const { return ___m_value_0; } inline int32_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(int32_t value) { ___m_value_0 = value; } }; // System.Int64 struct Int64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436 { public: // System.Int64 System.Int64::m_value int64_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Int64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436, ___m_value_0)); } inline int64_t get_m_value_0() const { return ___m_value_0; } inline int64_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(int64_t value) { ___m_value_0 = value; } }; // System.IntPtr struct IntPtr_t { public: // System.Void* System.IntPtr::m_value void* ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(IntPtr_t, ___m_value_0)); } inline void* get_m_value_0() const { return ___m_value_0; } inline void** get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(void* value) { ___m_value_0 = value; } }; struct IntPtr_t_StaticFields { public: // System.IntPtr System.IntPtr::Zero intptr_t ___Zero_1; public: inline static int32_t get_offset_of_Zero_1() { return static_cast<int32_t>(offsetof(IntPtr_t_StaticFields, ___Zero_1)); } inline intptr_t get_Zero_1() const { return ___Zero_1; } inline intptr_t* get_address_of_Zero_1() { return &___Zero_1; } inline void set_Zero_1(intptr_t value) { ___Zero_1 = value; } }; // System.Runtime.InteropServices.GCHandle struct GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 { public: // System.Int32 System.Runtime.InteropServices.GCHandle::handle int32_t ___handle_0; public: inline static int32_t get_offset_of_handle_0() { return static_cast<int32_t>(offsetof(GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3, ___handle_0)); } inline int32_t get_handle_0() const { return ___handle_0; } inline int32_t* get_address_of_handle_0() { return &___handle_0; } inline void set_handle_0(int32_t value) { ___handle_0 = value; } }; // System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken struct EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 { public: // System.UInt64 System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken::m_value uint64_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7, ___m_value_0)); } inline uint64_t get_m_value_0() const { return ___m_value_0; } inline uint64_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(uint64_t value) { ___m_value_0 = value; } }; // System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheEntry struct EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 { public: // System.Runtime.CompilerServices.ConditionalWeakTable`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventRegistrationTokenListWithCount> System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheEntry::registrationTable ConditionalWeakTable_2_t29A94EE935DB16A7FA33761A8766881A513B3CAF * ___registrationTable_0; // System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_TokenListCount System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheEntry::tokenListCount TokenListCount_t86E03CD21D37F3526546F9A171228599EE74AE73 * ___tokenListCount_1; public: inline static int32_t get_offset_of_registrationTable_0() { return static_cast<int32_t>(offsetof(EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6, ___registrationTable_0)); } inline ConditionalWeakTable_2_t29A94EE935DB16A7FA33761A8766881A513B3CAF * get_registrationTable_0() const { return ___registrationTable_0; } inline ConditionalWeakTable_2_t29A94EE935DB16A7FA33761A8766881A513B3CAF ** get_address_of_registrationTable_0() { return &___registrationTable_0; } inline void set_registrationTable_0(ConditionalWeakTable_2_t29A94EE935DB16A7FA33761A8766881A513B3CAF * value) { ___registrationTable_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___registrationTable_0), (void*)value); } inline static int32_t get_offset_of_tokenListCount_1() { return static_cast<int32_t>(offsetof(EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6, ___tokenListCount_1)); } inline TokenListCount_t86E03CD21D37F3526546F9A171228599EE74AE73 * get_tokenListCount_1() const { return ___tokenListCount_1; } inline TokenListCount_t86E03CD21D37F3526546F9A171228599EE74AE73 ** get_address_of_tokenListCount_1() { return &___tokenListCount_1; } inline void set_tokenListCount_1(TokenListCount_t86E03CD21D37F3526546F9A171228599EE74AE73 * value) { ___tokenListCount_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___tokenListCount_1), (void*)value); } }; // Native definition for P/Invoke marshalling of System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/NativeOrStaticEventRegistrationImpl/EventCacheEntry struct EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6_marshaled_pinvoke { ConditionalWeakTable_2_t29A94EE935DB16A7FA33761A8766881A513B3CAF * ___registrationTable_0; TokenListCount_t86E03CD21D37F3526546F9A171228599EE74AE73 * ___tokenListCount_1; }; // Native definition for COM marshalling of System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/NativeOrStaticEventRegistrationImpl/EventCacheEntry struct EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6_marshaled_com { ConditionalWeakTable_2_t29A94EE935DB16A7FA33761A8766881A513B3CAF * ___registrationTable_0; TokenListCount_t86E03CD21D37F3526546F9A171228599EE74AE73 * ___tokenListCount_1; }; // System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheKey struct EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A { public: // System.Object System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheKey::target RuntimeObject * ___target_0; // System.Reflection.MethodInfo System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheKey::method MethodInfo_t * ___method_1; public: inline static int32_t get_offset_of_target_0() { return static_cast<int32_t>(offsetof(EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A, ___target_0)); } inline RuntimeObject * get_target_0() const { return ___target_0; } inline RuntimeObject ** get_address_of_target_0() { return &___target_0; } inline void set_target_0(RuntimeObject * value) { ___target_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___target_0), (void*)value); } inline static int32_t get_offset_of_method_1() { return static_cast<int32_t>(offsetof(EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A, ___method_1)); } inline MethodInfo_t * get_method_1() const { return ___method_1; } inline MethodInfo_t ** get_address_of_method_1() { return &___method_1; } inline void set_method_1(MethodInfo_t * value) { ___method_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___method_1), (void*)value); } }; // Native definition for P/Invoke marshalling of System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/NativeOrStaticEventRegistrationImpl/EventCacheKey struct EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A_marshaled_pinvoke { Il2CppIUnknown* ___target_0; MethodInfo_t * ___method_1; }; // Native definition for COM marshalling of System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/NativeOrStaticEventRegistrationImpl/EventCacheKey struct EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A_marshaled_com { Il2CppIUnknown* ___target_0; MethodInfo_t * ___method_1; }; // System.Single struct Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1 { public: // System.Single System.Single::m_value float ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1, ___m_value_0)); } inline float get_m_value_0() const { return ___m_value_0; } inline float* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(float value) { ___m_value_0 = value; } }; // System.Text.RegularExpressions.Group struct Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 : public Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73 { public: // System.Int32[] System.Text.RegularExpressions.Group::_caps Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ____caps_4; // System.Int32 System.Text.RegularExpressions.Group::_capcount int32_t ____capcount_5; // System.Text.RegularExpressions.CaptureCollection System.Text.RegularExpressions.Group::_capcoll CaptureCollection_t486E24518017279AA91055BEE82514CAE7BAE647 * ____capcoll_6; // System.String System.Text.RegularExpressions.Group::_name String_t* ____name_7; public: inline static int32_t get_offset_of__caps_4() { return static_cast<int32_t>(offsetof(Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443, ____caps_4)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get__caps_4() const { return ____caps_4; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of__caps_4() { return &____caps_4; } inline void set__caps_4(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ____caps_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____caps_4), (void*)value); } inline static int32_t get_offset_of__capcount_5() { return static_cast<int32_t>(offsetof(Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443, ____capcount_5)); } inline int32_t get__capcount_5() const { return ____capcount_5; } inline int32_t* get_address_of__capcount_5() { return &____capcount_5; } inline void set__capcount_5(int32_t value) { ____capcount_5 = value; } inline static int32_t get_offset_of__capcoll_6() { return static_cast<int32_t>(offsetof(Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443, ____capcoll_6)); } inline CaptureCollection_t486E24518017279AA91055BEE82514CAE7BAE647 * get__capcoll_6() const { return ____capcoll_6; } inline CaptureCollection_t486E24518017279AA91055BEE82514CAE7BAE647 ** get_address_of__capcoll_6() { return &____capcoll_6; } inline void set__capcoll_6(CaptureCollection_t486E24518017279AA91055BEE82514CAE7BAE647 * value) { ____capcoll_6 = value; Il2CppCodeGenWriteBarrier((void**)(&____capcoll_6), (void*)value); } inline static int32_t get_offset_of__name_7() { return static_cast<int32_t>(offsetof(Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443, ____name_7)); } inline String_t* get__name_7() const { return ____name_7; } inline String_t** get_address_of__name_7() { return &____name_7; } inline void set__name_7(String_t* value) { ____name_7 = value; Il2CppCodeGenWriteBarrier((void**)(&____name_7), (void*)value); } }; struct Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443_StaticFields { public: // System.Text.RegularExpressions.Group System.Text.RegularExpressions.Group::_emptygroup Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 * ____emptygroup_3; public: inline static int32_t get_offset_of__emptygroup_3() { return static_cast<int32_t>(offsetof(Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443_StaticFields, ____emptygroup_3)); } inline Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 * get__emptygroup_3() const { return ____emptygroup_3; } inline Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 ** get_address_of__emptygroup_3() { return &____emptygroup_3; } inline void set__emptygroup_3(Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 * value) { ____emptygroup_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____emptygroup_3), (void*)value); } }; // System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping struct LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B { public: // System.Char System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping::_chMin Il2CppChar ____chMin_0; // System.Char System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping::_chMax Il2CppChar ____chMax_1; // System.Int32 System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping::_lcOp int32_t ____lcOp_2; // System.Int32 System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping::_data int32_t ____data_3; public: inline static int32_t get_offset_of__chMin_0() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B, ____chMin_0)); } inline Il2CppChar get__chMin_0() const { return ____chMin_0; } inline Il2CppChar* get_address_of__chMin_0() { return &____chMin_0; } inline void set__chMin_0(Il2CppChar value) { ____chMin_0 = value; } inline static int32_t get_offset_of__chMax_1() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B, ____chMax_1)); } inline Il2CppChar get__chMax_1() const { return ____chMax_1; } inline Il2CppChar* get_address_of__chMax_1() { return &____chMax_1; } inline void set__chMax_1(Il2CppChar value) { ____chMax_1 = value; } inline static int32_t get_offset_of__lcOp_2() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B, ____lcOp_2)); } inline int32_t get__lcOp_2() const { return ____lcOp_2; } inline int32_t* get_address_of__lcOp_2() { return &____lcOp_2; } inline void set__lcOp_2(int32_t value) { ____lcOp_2 = value; } inline static int32_t get_offset_of__data_3() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B, ____data_3)); } inline int32_t get__data_3() const { return ____data_3; } inline int32_t* get_address_of__data_3() { return &____data_3; } inline void set__data_3(int32_t value) { ____data_3 = value; } }; // Native definition for P/Invoke marshalling of System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping struct LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_marshaled_pinvoke { uint8_t ____chMin_0; uint8_t ____chMax_1; int32_t ____lcOp_2; int32_t ____data_3; }; // Native definition for COM marshalling of System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping struct LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_marshaled_com { uint8_t ____chMin_0; uint8_t ____chMax_1; int32_t ____lcOp_2; int32_t ____data_3; }; // System.UInt16 struct UInt16_tAE45CEF73BF720100519F6867F32145D075F928E { public: // System.UInt16 System.UInt16::m_value uint16_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(UInt16_tAE45CEF73BF720100519F6867F32145D075F928E, ___m_value_0)); } inline uint16_t get_m_value_0() const { return ___m_value_0; } inline uint16_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(uint16_t value) { ___m_value_0 = value; } }; // System.UInt32 struct UInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B { public: // System.UInt32 System.UInt32::m_value uint32_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(UInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B, ___m_value_0)); } inline uint32_t get_m_value_0() const { return ___m_value_0; } inline uint32_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(uint32_t value) { ___m_value_0 = value; } }; // System.UInt64 struct UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E { public: // System.UInt64 System.UInt64::m_value uint64_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E, ___m_value_0)); } inline uint64_t get_m_value_0() const { return ___m_value_0; } inline uint64_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(uint64_t value) { ___m_value_0 = value; } }; // System.UIntPtr struct UIntPtr_t { public: // System.Void* System.UIntPtr::_pointer void* ____pointer_1; public: inline static int32_t get_offset_of__pointer_1() { return static_cast<int32_t>(offsetof(UIntPtr_t, ____pointer_1)); } inline void* get__pointer_1() const { return ____pointer_1; } inline void** get_address_of__pointer_1() { return &____pointer_1; } inline void set__pointer_1(void* value) { ____pointer_1 = value; } }; struct UIntPtr_t_StaticFields { public: // System.UIntPtr System.UIntPtr::Zero uintptr_t ___Zero_0; public: inline static int32_t get_offset_of_Zero_0() { return static_cast<int32_t>(offsetof(UIntPtr_t_StaticFields, ___Zero_0)); } inline uintptr_t get_Zero_0() const { return ___Zero_0; } inline uintptr_t* get_address_of_Zero_0() { return &___Zero_0; } inline void set_Zero_0(uintptr_t value) { ___Zero_0 = value; } }; // Windows.Foundation.DateTime struct DateTime_t9D0F9E236B6200FF6413DD837230D25E285E7795 { public: // System.Int64 Windows.Foundation.DateTime::UniversalTime int64_t ___UniversalTime_0; public: inline static int32_t get_offset_of_UniversalTime_0() { return static_cast<int32_t>(offsetof(DateTime_t9D0F9E236B6200FF6413DD837230D25E285E7795, ___UniversalTime_0)); } inline int64_t get_UniversalTime_0() const { return ___UniversalTime_0; } inline int64_t* get_address_of_UniversalTime_0() { return &___UniversalTime_0; } inline void set_UniversalTime_0(int64_t value) { ___UniversalTime_0 = value; } }; // Windows.Foundation.Point struct Point_t7C3010F37F6E9DB2B792BBDAFF58C3232A3356AC { public: // System.Single Windows.Foundation.Point::_x float ____x_0; // System.Single Windows.Foundation.Point::_y float ____y_1; public: inline static int32_t get_offset_of__x_0() { return static_cast<int32_t>(offsetof(Point_t7C3010F37F6E9DB2B792BBDAFF58C3232A3356AC, ____x_0)); } inline float get__x_0() const { return ____x_0; } inline float* get_address_of__x_0() { return &____x_0; } inline void set__x_0(float value) { ____x_0 = value; } inline static int32_t get_offset_of__y_1() { return static_cast<int32_t>(offsetof(Point_t7C3010F37F6E9DB2B792BBDAFF58C3232A3356AC, ____y_1)); } inline float get__y_1() const { return ____y_1; } inline float* get_address_of__y_1() { return &____y_1; } inline void set__y_1(float value) { ____y_1 = value; } }; // Windows.Foundation.Rect struct Rect_tD277A11EF3F3CC633796B8FF0BC4822826E72BB0 { public: // System.Single Windows.Foundation.Rect::_x float ____x_0; // System.Single Windows.Foundation.Rect::_y float ____y_1; // System.Single Windows.Foundation.Rect::_width float ____width_2; // System.Single Windows.Foundation.Rect::_height float ____height_3; public: inline static int32_t get_offset_of__x_0() { return static_cast<int32_t>(offsetof(Rect_tD277A11EF3F3CC633796B8FF0BC4822826E72BB0, ____x_0)); } inline float get__x_0() const { return ____x_0; } inline float* get_address_of__x_0() { return &____x_0; } inline void set__x_0(float value) { ____x_0 = value; } inline static int32_t get_offset_of__y_1() { return static_cast<int32_t>(offsetof(Rect_tD277A11EF3F3CC633796B8FF0BC4822826E72BB0, ____y_1)); } inline float get__y_1() const { return ____y_1; } inline float* get_address_of__y_1() { return &____y_1; } inline void set__y_1(float value) { ____y_1 = value; } inline static int32_t get_offset_of__width_2() { return static_cast<int32_t>(offsetof(Rect_tD277A11EF3F3CC633796B8FF0BC4822826E72BB0, ____width_2)); } inline float get__width_2() const { return ____width_2; } inline float* get_address_of__width_2() { return &____width_2; } inline void set__width_2(float value) { ____width_2 = value; } inline static int32_t get_offset_of__height_3() { return static_cast<int32_t>(offsetof(Rect_tD277A11EF3F3CC633796B8FF0BC4822826E72BB0, ____height_3)); } inline float get__height_3() const { return ____height_3; } inline float* get_address_of__height_3() { return &____height_3; } inline void set__height_3(float value) { ____height_3 = value; } }; // Windows.Foundation.Size struct Size_tBE9F75FCA10276DC3998237A8906733B64FB75A2 { public: // System.Single Windows.Foundation.Size::_width float ____width_0; // System.Single Windows.Foundation.Size::_height float ____height_1; public: inline static int32_t get_offset_of__width_0() { return static_cast<int32_t>(offsetof(Size_tBE9F75FCA10276DC3998237A8906733B64FB75A2, ____width_0)); } inline float get__width_0() const { return ____width_0; } inline float* get_address_of__width_0() { return &____width_0; } inline void set__width_0(float value) { ____width_0 = value; } inline static int32_t get_offset_of__height_1() { return static_cast<int32_t>(offsetof(Size_tBE9F75FCA10276DC3998237A8906733B64FB75A2, ____height_1)); } inline float get__height_1() const { return ____height_1; } inline float* get_address_of__height_1() { return &____height_1; } inline void set__height_1(float value) { ____height_1 = value; } }; // Mono.Net.CFNetwork_GetProxyData struct GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC : public RuntimeObject { public: // System.IntPtr Mono.Net.CFNetwork_GetProxyData::script intptr_t ___script_0; // System.IntPtr Mono.Net.CFNetwork_GetProxyData::targetUri intptr_t ___targetUri_1; // System.IntPtr Mono.Net.CFNetwork_GetProxyData::error intptr_t ___error_2; // System.IntPtr Mono.Net.CFNetwork_GetProxyData::result intptr_t ___result_3; // System.Threading.ManualResetEvent Mono.Net.CFNetwork_GetProxyData::evt ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * ___evt_4; public: inline static int32_t get_offset_of_script_0() { return static_cast<int32_t>(offsetof(GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC, ___script_0)); } inline intptr_t get_script_0() const { return ___script_0; } inline intptr_t* get_address_of_script_0() { return &___script_0; } inline void set_script_0(intptr_t value) { ___script_0 = value; } inline static int32_t get_offset_of_targetUri_1() { return static_cast<int32_t>(offsetof(GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC, ___targetUri_1)); } inline intptr_t get_targetUri_1() const { return ___targetUri_1; } inline intptr_t* get_address_of_targetUri_1() { return &___targetUri_1; } inline void set_targetUri_1(intptr_t value) { ___targetUri_1 = value; } inline static int32_t get_offset_of_error_2() { return static_cast<int32_t>(offsetof(GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC, ___error_2)); } inline intptr_t get_error_2() const { return ___error_2; } inline intptr_t* get_address_of_error_2() { return &___error_2; } inline void set_error_2(intptr_t value) { ___error_2 = value; } inline static int32_t get_offset_of_result_3() { return static_cast<int32_t>(offsetof(GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC, ___result_3)); } inline intptr_t get_result_3() const { return ___result_3; } inline intptr_t* get_address_of_result_3() { return &___result_3; } inline void set_result_3(intptr_t value) { ___result_3 = value; } inline static int32_t get_offset_of_evt_4() { return static_cast<int32_t>(offsetof(GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC, ___evt_4)); } inline ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * get_evt_4() const { return ___evt_4; } inline ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 ** get_address_of_evt_4() { return &___evt_4; } inline void set_evt_4(ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * value) { ___evt_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___evt_4), (void*)value); } }; // Mono.Net.CFProxy struct CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4 : public RuntimeObject { public: // Mono.Net.CFDictionary Mono.Net.CFProxy::settings CFDictionary_t5AE095BB2659C5053DA76275C14AA93E0BAB6778 * ___settings_13; public: inline static int32_t get_offset_of_settings_13() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4, ___settings_13)); } inline CFDictionary_t5AE095BB2659C5053DA76275C14AA93E0BAB6778 * get_settings_13() const { return ___settings_13; } inline CFDictionary_t5AE095BB2659C5053DA76275C14AA93E0BAB6778 ** get_address_of_settings_13() { return &___settings_13; } inline void set_settings_13(CFDictionary_t5AE095BB2659C5053DA76275C14AA93E0BAB6778 * value) { ___settings_13 = value; Il2CppCodeGenWriteBarrier((void**)(&___settings_13), (void*)value); } }; struct CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields { public: // System.IntPtr Mono.Net.CFProxy::kCFProxyAutoConfigurationJavaScriptKey intptr_t ___kCFProxyAutoConfigurationJavaScriptKey_0; // System.IntPtr Mono.Net.CFProxy::kCFProxyAutoConfigurationURLKey intptr_t ___kCFProxyAutoConfigurationURLKey_1; // System.IntPtr Mono.Net.CFProxy::kCFProxyHostNameKey intptr_t ___kCFProxyHostNameKey_2; // System.IntPtr Mono.Net.CFProxy::kCFProxyPasswordKey intptr_t ___kCFProxyPasswordKey_3; // System.IntPtr Mono.Net.CFProxy::kCFProxyPortNumberKey intptr_t ___kCFProxyPortNumberKey_4; // System.IntPtr Mono.Net.CFProxy::kCFProxyTypeKey intptr_t ___kCFProxyTypeKey_5; // System.IntPtr Mono.Net.CFProxy::kCFProxyUsernameKey intptr_t ___kCFProxyUsernameKey_6; // System.IntPtr Mono.Net.CFProxy::kCFProxyTypeAutoConfigurationURL intptr_t ___kCFProxyTypeAutoConfigurationURL_7; // System.IntPtr Mono.Net.CFProxy::kCFProxyTypeAutoConfigurationJavaScript intptr_t ___kCFProxyTypeAutoConfigurationJavaScript_8; // System.IntPtr Mono.Net.CFProxy::kCFProxyTypeFTP intptr_t ___kCFProxyTypeFTP_9; // System.IntPtr Mono.Net.CFProxy::kCFProxyTypeHTTP intptr_t ___kCFProxyTypeHTTP_10; // System.IntPtr Mono.Net.CFProxy::kCFProxyTypeHTTPS intptr_t ___kCFProxyTypeHTTPS_11; // System.IntPtr Mono.Net.CFProxy::kCFProxyTypeSOCKS intptr_t ___kCFProxyTypeSOCKS_12; public: inline static int32_t get_offset_of_kCFProxyAutoConfigurationJavaScriptKey_0() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyAutoConfigurationJavaScriptKey_0)); } inline intptr_t get_kCFProxyAutoConfigurationJavaScriptKey_0() const { return ___kCFProxyAutoConfigurationJavaScriptKey_0; } inline intptr_t* get_address_of_kCFProxyAutoConfigurationJavaScriptKey_0() { return &___kCFProxyAutoConfigurationJavaScriptKey_0; } inline void set_kCFProxyAutoConfigurationJavaScriptKey_0(intptr_t value) { ___kCFProxyAutoConfigurationJavaScriptKey_0 = value; } inline static int32_t get_offset_of_kCFProxyAutoConfigurationURLKey_1() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyAutoConfigurationURLKey_1)); } inline intptr_t get_kCFProxyAutoConfigurationURLKey_1() const { return ___kCFProxyAutoConfigurationURLKey_1; } inline intptr_t* get_address_of_kCFProxyAutoConfigurationURLKey_1() { return &___kCFProxyAutoConfigurationURLKey_1; } inline void set_kCFProxyAutoConfigurationURLKey_1(intptr_t value) { ___kCFProxyAutoConfigurationURLKey_1 = value; } inline static int32_t get_offset_of_kCFProxyHostNameKey_2() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyHostNameKey_2)); } inline intptr_t get_kCFProxyHostNameKey_2() const { return ___kCFProxyHostNameKey_2; } inline intptr_t* get_address_of_kCFProxyHostNameKey_2() { return &___kCFProxyHostNameKey_2; } inline void set_kCFProxyHostNameKey_2(intptr_t value) { ___kCFProxyHostNameKey_2 = value; } inline static int32_t get_offset_of_kCFProxyPasswordKey_3() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyPasswordKey_3)); } inline intptr_t get_kCFProxyPasswordKey_3() const { return ___kCFProxyPasswordKey_3; } inline intptr_t* get_address_of_kCFProxyPasswordKey_3() { return &___kCFProxyPasswordKey_3; } inline void set_kCFProxyPasswordKey_3(intptr_t value) { ___kCFProxyPasswordKey_3 = value; } inline static int32_t get_offset_of_kCFProxyPortNumberKey_4() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyPortNumberKey_4)); } inline intptr_t get_kCFProxyPortNumberKey_4() const { return ___kCFProxyPortNumberKey_4; } inline intptr_t* get_address_of_kCFProxyPortNumberKey_4() { return &___kCFProxyPortNumberKey_4; } inline void set_kCFProxyPortNumberKey_4(intptr_t value) { ___kCFProxyPortNumberKey_4 = value; } inline static int32_t get_offset_of_kCFProxyTypeKey_5() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyTypeKey_5)); } inline intptr_t get_kCFProxyTypeKey_5() const { return ___kCFProxyTypeKey_5; } inline intptr_t* get_address_of_kCFProxyTypeKey_5() { return &___kCFProxyTypeKey_5; } inline void set_kCFProxyTypeKey_5(intptr_t value) { ___kCFProxyTypeKey_5 = value; } inline static int32_t get_offset_of_kCFProxyUsernameKey_6() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyUsernameKey_6)); } inline intptr_t get_kCFProxyUsernameKey_6() const { return ___kCFProxyUsernameKey_6; } inline intptr_t* get_address_of_kCFProxyUsernameKey_6() { return &___kCFProxyUsernameKey_6; } inline void set_kCFProxyUsernameKey_6(intptr_t value) { ___kCFProxyUsernameKey_6 = value; } inline static int32_t get_offset_of_kCFProxyTypeAutoConfigurationURL_7() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyTypeAutoConfigurationURL_7)); } inline intptr_t get_kCFProxyTypeAutoConfigurationURL_7() const { return ___kCFProxyTypeAutoConfigurationURL_7; } inline intptr_t* get_address_of_kCFProxyTypeAutoConfigurationURL_7() { return &___kCFProxyTypeAutoConfigurationURL_7; } inline void set_kCFProxyTypeAutoConfigurationURL_7(intptr_t value) { ___kCFProxyTypeAutoConfigurationURL_7 = value; } inline static int32_t get_offset_of_kCFProxyTypeAutoConfigurationJavaScript_8() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyTypeAutoConfigurationJavaScript_8)); } inline intptr_t get_kCFProxyTypeAutoConfigurationJavaScript_8() const { return ___kCFProxyTypeAutoConfigurationJavaScript_8; } inline intptr_t* get_address_of_kCFProxyTypeAutoConfigurationJavaScript_8() { return &___kCFProxyTypeAutoConfigurationJavaScript_8; } inline void set_kCFProxyTypeAutoConfigurationJavaScript_8(intptr_t value) { ___kCFProxyTypeAutoConfigurationJavaScript_8 = value; } inline static int32_t get_offset_of_kCFProxyTypeFTP_9() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyTypeFTP_9)); } inline intptr_t get_kCFProxyTypeFTP_9() const { return ___kCFProxyTypeFTP_9; } inline intptr_t* get_address_of_kCFProxyTypeFTP_9() { return &___kCFProxyTypeFTP_9; } inline void set_kCFProxyTypeFTP_9(intptr_t value) { ___kCFProxyTypeFTP_9 = value; } inline static int32_t get_offset_of_kCFProxyTypeHTTP_10() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyTypeHTTP_10)); } inline intptr_t get_kCFProxyTypeHTTP_10() const { return ___kCFProxyTypeHTTP_10; } inline intptr_t* get_address_of_kCFProxyTypeHTTP_10() { return &___kCFProxyTypeHTTP_10; } inline void set_kCFProxyTypeHTTP_10(intptr_t value) { ___kCFProxyTypeHTTP_10 = value; } inline static int32_t get_offset_of_kCFProxyTypeHTTPS_11() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyTypeHTTPS_11)); } inline intptr_t get_kCFProxyTypeHTTPS_11() const { return ___kCFProxyTypeHTTPS_11; } inline intptr_t* get_address_of_kCFProxyTypeHTTPS_11() { return &___kCFProxyTypeHTTPS_11; } inline void set_kCFProxyTypeHTTPS_11(intptr_t value) { ___kCFProxyTypeHTTPS_11 = value; } inline static int32_t get_offset_of_kCFProxyTypeSOCKS_12() { return static_cast<int32_t>(offsetof(CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4_StaticFields, ___kCFProxyTypeSOCKS_12)); } inline intptr_t get_kCFProxyTypeSOCKS_12() const { return ___kCFProxyTypeSOCKS_12; } inline intptr_t* get_address_of_kCFProxyTypeSOCKS_12() { return &___kCFProxyTypeSOCKS_12; } inline void set_kCFProxyTypeSOCKS_12(intptr_t value) { ___kCFProxyTypeSOCKS_12 = value; } }; // Mono.Security.Interface.CipherSuiteCode struct CipherSuiteCode_t32674B07A5C552605FA138AEACFFA20474A255F1 { public: // System.UInt16 Mono.Security.Interface.CipherSuiteCode::value__ uint16_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CipherSuiteCode_t32674B07A5C552605FA138AEACFFA20474A255F1, ___value___2)); } inline uint16_t get_value___2() const { return ___value___2; } inline uint16_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(uint16_t value) { ___value___2 = value; } }; // Mono.Unity.UnityTls_unitytls_ciphersuite struct unitytls_ciphersuite_tA99DBE84EF3BB26740AEF7A5CC6DEA1227B5F9DC { public: // System.UInt32 Mono.Unity.UnityTls_unitytls_ciphersuite::value__ uint32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(unitytls_ciphersuite_tA99DBE84EF3BB26740AEF7A5CC6DEA1227B5F9DC, ___value___2)); } inline uint32_t get_value___2() const { return ___value___2; } inline uint32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(uint32_t value) { ___value___2 = value; } }; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.Guid,System.Int32> struct Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F : public RuntimeObject { public: // TKey System.Collections.Concurrent.ConcurrentDictionary`2_Node::_key Guid_t ____key_0; // TValue System.Collections.Concurrent.ConcurrentDictionary`2_Node::_value int32_t ____value_1; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<TKey,TValue> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Concurrent.ConcurrentDictionary`2_Node::_next Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F * ____next_2; // System.Int32 System.Collections.Concurrent.ConcurrentDictionary`2_Node::_hashcode int32_t ____hashcode_3; public: inline static int32_t get_offset_of__key_0() { return static_cast<int32_t>(offsetof(Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F, ____key_0)); } inline Guid_t get__key_0() const { return ____key_0; } inline Guid_t * get_address_of__key_0() { return &____key_0; } inline void set__key_0(Guid_t value) { ____key_0 = value; } inline static int32_t get_offset_of__value_1() { return static_cast<int32_t>(offsetof(Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F, ____value_1)); } inline int32_t get__value_1() const { return ____value_1; } inline int32_t* get_address_of__value_1() { return &____value_1; } inline void set__value_1(int32_t value) { ____value_1 = value; } inline static int32_t get_offset_of__next_2() { return static_cast<int32_t>(offsetof(Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F, ____next_2)); } inline Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F * get__next_2() const { return ____next_2; } inline Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F ** get_address_of__next_2() { return &____next_2; } inline void set__next_2(Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F * value) { ____next_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____next_2), (void*)value); } inline static int32_t get_offset_of__hashcode_3() { return static_cast<int32_t>(offsetof(Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F, ____hashcode_3)); } inline int32_t get__hashcode_3() const { return ____hashcode_3; } inline int32_t* get_address_of__hashcode_3() { return &____hashcode_3; } inline void set__hashcode_3(int32_t value) { ____hashcode_3 = value; } }; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.Guid,System.Object> struct Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 : public RuntimeObject { public: // TKey System.Collections.Concurrent.ConcurrentDictionary`2_Node::_key Guid_t ____key_0; // TValue System.Collections.Concurrent.ConcurrentDictionary`2_Node::_value RuntimeObject * ____value_1; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<TKey,TValue> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Concurrent.ConcurrentDictionary`2_Node::_next Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 * ____next_2; // System.Int32 System.Collections.Concurrent.ConcurrentDictionary`2_Node::_hashcode int32_t ____hashcode_3; public: inline static int32_t get_offset_of__key_0() { return static_cast<int32_t>(offsetof(Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98, ____key_0)); } inline Guid_t get__key_0() const { return ____key_0; } inline Guid_t * get_address_of__key_0() { return &____key_0; } inline void set__key_0(Guid_t value) { ____key_0 = value; } inline static int32_t get_offset_of__value_1() { return static_cast<int32_t>(offsetof(Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98, ____value_1)); } inline RuntimeObject * get__value_1() const { return ____value_1; } inline RuntimeObject ** get_address_of__value_1() { return &____value_1; } inline void set__value_1(RuntimeObject * value) { ____value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____value_1), (void*)value); } inline static int32_t get_offset_of__next_2() { return static_cast<int32_t>(offsetof(Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98, ____next_2)); } inline Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 * get__next_2() const { return ____next_2; } inline Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 ** get_address_of__next_2() { return &____next_2; } inline void set__next_2(Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 * value) { ____next_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____next_2), (void*)value); } inline static int32_t get_offset_of__hashcode_3() { return static_cast<int32_t>(offsetof(Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98, ____hashcode_3)); } inline int32_t get__hashcode_3() const { return ____hashcode_3; } inline int32_t* get_address_of__hashcode_3() { return &____hashcode_3; } inline void set__hashcode_3(int32_t value) { ____hashcode_3 = value; } }; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.Guid,System.Tuple`2<System.Guid,System.Int32>> struct Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 : public RuntimeObject { public: // TKey System.Collections.Concurrent.ConcurrentDictionary`2_Node::_key Guid_t ____key_0; // TValue System.Collections.Concurrent.ConcurrentDictionary`2_Node::_value Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E * ____value_1; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<TKey,TValue> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Concurrent.ConcurrentDictionary`2_Node::_next Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 * ____next_2; // System.Int32 System.Collections.Concurrent.ConcurrentDictionary`2_Node::_hashcode int32_t ____hashcode_3; public: inline static int32_t get_offset_of__key_0() { return static_cast<int32_t>(offsetof(Node_tB6122E59E2D4E1166A428A91D507C20E203EE155, ____key_0)); } inline Guid_t get__key_0() const { return ____key_0; } inline Guid_t * get_address_of__key_0() { return &____key_0; } inline void set__key_0(Guid_t value) { ____key_0 = value; } inline static int32_t get_offset_of__value_1() { return static_cast<int32_t>(offsetof(Node_tB6122E59E2D4E1166A428A91D507C20E203EE155, ____value_1)); } inline Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E * get__value_1() const { return ____value_1; } inline Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E ** get_address_of__value_1() { return &____value_1; } inline void set__value_1(Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E * value) { ____value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____value_1), (void*)value); } inline static int32_t get_offset_of__next_2() { return static_cast<int32_t>(offsetof(Node_tB6122E59E2D4E1166A428A91D507C20E203EE155, ____next_2)); } inline Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 * get__next_2() const { return ____next_2; } inline Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 ** get_address_of__next_2() { return &____next_2; } inline void set__next_2(Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 * value) { ____next_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____next_2), (void*)value); } inline static int32_t get_offset_of__hashcode_3() { return static_cast<int32_t>(offsetof(Node_tB6122E59E2D4E1166A428A91D507C20E203EE155, ____hashcode_3)); } inline int32_t get__hashcode_3() const { return ____hashcode_3; } inline int32_t* get_address_of__hashcode_3() { return &____hashcode_3; } inline void set__hashcode_3(int32_t value) { ____hashcode_3 = value; } }; // System.Collections.Generic.Dictionary`2_Entry<System.Guid,Mono.Security.Interface.MonoTlsProvider> struct Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76 { public: // System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.Dictionary`2_Entry::next int32_t ___next_1; // TKey System.Collections.Generic.Dictionary`2_Entry::key Guid_t ___key_2; // TValue System.Collections.Generic.Dictionary`2_Entry::value MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 * ___value_3; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76, ___hashCode_0)); } inline int32_t get_hashCode_0() const { return ___hashCode_0; } inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; } inline void set_hashCode_0(int32_t value) { ___hashCode_0 = value; } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76, ___key_2)); } inline Guid_t get_key_2() const { return ___key_2; } inline Guid_t * get_address_of_key_2() { return &___key_2; } inline void set_key_2(Guid_t value) { ___key_2 = value; } inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76, ___value_3)); } inline MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 * get_value_3() const { return ___value_3; } inline MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 ** get_address_of_value_3() { return &___value_3; } inline void set_value_3(MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 * value) { ___value_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_3), (void*)value); } }; // System.Collections.Generic.Dictionary`2_Entry<System.Guid,System.Object> struct Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B { public: // System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.Dictionary`2_Entry::next int32_t ___next_1; // TKey System.Collections.Generic.Dictionary`2_Entry::key Guid_t ___key_2; // TValue System.Collections.Generic.Dictionary`2_Entry::value RuntimeObject * ___value_3; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B, ___hashCode_0)); } inline int32_t get_hashCode_0() const { return ___hashCode_0; } inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; } inline void set_hashCode_0(int32_t value) { ___hashCode_0 = value; } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B, ___key_2)); } inline Guid_t get_key_2() const { return ___key_2; } inline Guid_t * get_address_of_key_2() { return &___key_2; } inline void set_key_2(Guid_t value) { ___key_2 = value; } inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B, ___value_3)); } inline RuntimeObject * get_value_3() const { return ___value_3; } inline RuntimeObject ** get_address_of_value_3() { return &___value_3; } inline void set_value_3(RuntimeObject * value) { ___value_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_3), (void*)value); } }; // System.Collections.Generic.Dictionary`2_Entry<System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheKey,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheEntry> struct Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E { public: // System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.Dictionary`2_Entry::next int32_t ___next_1; // TKey System.Collections.Generic.Dictionary`2_Entry::key EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A ___key_2; // TValue System.Collections.Generic.Dictionary`2_Entry::value EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 ___value_3; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E, ___hashCode_0)); } inline int32_t get_hashCode_0() const { return ___hashCode_0; } inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; } inline void set_hashCode_0(int32_t value) { ___hashCode_0 = value; } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E, ___key_2)); } inline EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A get_key_2() const { return ___key_2; } inline EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A * get_address_of_key_2() { return &___key_2; } inline void set_key_2(EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A value) { ___key_2 = value; Il2CppCodeGenWriteBarrier((void**)&(((&___key_2))->___target_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&(((&___key_2))->___method_1), (void*)NULL); #endif } inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E, ___value_3)); } inline EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 get_value_3() const { return ___value_3; } inline EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 * get_address_of_value_3() { return &___value_3; } inline void set_value_3(EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 value) { ___value_3 = value; Il2CppCodeGenWriteBarrier((void**)&(((&___value_3))->___registrationTable_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&(((&___value_3))->___tokenListCount_1), (void*)NULL); #endif } }; // System.Collections.Generic.KeyValuePair`2<System.Guid,Mono.Security.Interface.MonoTlsProvider> struct KeyValuePair_2_t1AF312E938B8DA517027022598ECC2DD57A9DA5D { public: // TKey System.Collections.Generic.KeyValuePair`2::key Guid_t ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 * ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t1AF312E938B8DA517027022598ECC2DD57A9DA5D, ___key_0)); } inline Guid_t get_key_0() const { return ___key_0; } inline Guid_t * get_address_of_key_0() { return &___key_0; } inline void set_key_0(Guid_t value) { ___key_0 = value; } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t1AF312E938B8DA517027022598ECC2DD57A9DA5D, ___value_1)); } inline MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 * get_value_1() const { return ___value_1; } inline MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32> struct KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 { public: // TKey System.Collections.Generic.KeyValuePair`2::key Guid_t ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value int32_t ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937, ___key_0)); } inline Guid_t get_key_0() const { return ___key_0; } inline Guid_t * get_address_of_key_0() { return &___key_0; } inline void set_key_0(Guid_t value) { ___key_0 = value; } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937, ___value_1)); } inline int32_t get_value_1() const { return ___value_1; } inline int32_t* get_address_of_value_1() { return &___value_1; } inline void set_value_1(int32_t value) { ___value_1 = value; } }; // System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object> struct KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 { public: // TKey System.Collections.Generic.KeyValuePair`2::key Guid_t ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value RuntimeObject * ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78, ___key_0)); } inline Guid_t get_key_0() const { return ___key_0; } inline Guid_t * get_address_of_key_0() { return &___key_0; } inline void set_key_0(Guid_t value) { ___key_0 = value; } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78, ___value_1)); } inline RuntimeObject * get_value_1() const { return ___value_1; } inline RuntimeObject ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(RuntimeObject * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.Guid,System.Tuple`2<System.Guid,System.Int32>> struct KeyValuePair_2_t11E5B5CE1E0667DC269097FDCE4D5CEAC45D277E { public: // TKey System.Collections.Generic.KeyValuePair`2::key Guid_t ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E * ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t11E5B5CE1E0667DC269097FDCE4D5CEAC45D277E, ___key_0)); } inline Guid_t get_key_0() const { return ___key_0; } inline Guid_t * get_address_of_key_0() { return &___key_0; } inline void set_key_0(Guid_t value) { ___key_0 = value; } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t11E5B5CE1E0667DC269097FDCE4D5CEAC45D277E, ___value_1)); } inline Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E * get_value_1() const { return ___value_1; } inline Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheKey,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheEntry> struct KeyValuePair_2_t92BE7B4140821DBA942F4ECA4925CC7B7494EC46 { public: // TKey System.Collections.Generic.KeyValuePair`2::key EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t92BE7B4140821DBA942F4ECA4925CC7B7494EC46, ___key_0)); } inline EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A get_key_0() const { return ___key_0; } inline EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A * get_address_of_key_0() { return &___key_0; } inline void set_key_0(EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A value) { ___key_0 = value; Il2CppCodeGenWriteBarrier((void**)&(((&___key_0))->___target_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&(((&___key_0))->___method_1), (void*)NULL); #endif } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t92BE7B4140821DBA942F4ECA4925CC7B7494EC46, ___value_1)); } inline EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 get_value_1() const { return ___value_1; } inline EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 * get_address_of_value_1() { return &___value_1; } inline void set_value_1(EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)&(((&___value_1))->___registrationTable_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&(((&___value_1))->___tokenListCount_1), (void*)NULL); #endif } }; // System.Diagnostics.Tracing.EventActivityOptions struct EventActivityOptions_t929DC56692200C1AE8FD9194A2510B6149D69168 { public: // System.Int32 System.Diagnostics.Tracing.EventActivityOptions::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventActivityOptions_t929DC56692200C1AE8FD9194A2510B6149D69168, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.Diagnostics.Tracing.EventFieldTags struct EventFieldTags_t88BE34A8AA9B64F6E37F7E372E6318C4EFB8FE40 { public: // System.Int32 System.Diagnostics.Tracing.EventFieldTags::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventFieldTags_t88BE34A8AA9B64F6E37F7E372E6318C4EFB8FE40, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.Diagnostics.Tracing.EventKeywords struct EventKeywords_t23A3504C8689DEED4A3545494C8C52C55214B942 { public: // System.Int64 System.Diagnostics.Tracing.EventKeywords::value__ int64_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventKeywords_t23A3504C8689DEED4A3545494C8C52C55214B942, ___value___2)); } inline int64_t get_value___2() const { return ___value___2; } inline int64_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int64_t value) { ___value___2 = value; } }; // System.Diagnostics.Tracing.EventLevel struct EventLevel_t647BA4EA78B2B108075D614A19C8C2204644790E { public: // System.Int32 System.Diagnostics.Tracing.EventLevel::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventLevel_t647BA4EA78B2B108075D614A19C8C2204644790E, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.Diagnostics.Tracing.EventOpcode struct EventOpcode_t52B1CBEC2A4C6FDDC00A61ECF12BF584A5146C44 { public: // System.Int32 System.Diagnostics.Tracing.EventOpcode::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventOpcode_t52B1CBEC2A4C6FDDC00A61ECF12BF584A5146C44, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.Diagnostics.Tracing.EventTags struct EventTags_t886E6B89C75F05A5BA40FBC96790AA6C5F24A712 { public: // System.Int32 System.Diagnostics.Tracing.EventTags::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventTags_t886E6B89C75F05A5BA40FBC96790AA6C5F24A712, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList struct EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A { public: // System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList::firstToken EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___firstToken_0; // System.Collections.Generic.List`1<System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken> System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList::restTokens List_1_t539EC6FA9B0346406B6F89DAED4E2BA45FE380E5 * ___restTokens_1; public: inline static int32_t get_offset_of_firstToken_0() { return static_cast<int32_t>(offsetof(EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A, ___firstToken_0)); } inline EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 get_firstToken_0() const { return ___firstToken_0; } inline EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * get_address_of_firstToken_0() { return &___firstToken_0; } inline void set_firstToken_0(EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 value) { ___firstToken_0 = value; } inline static int32_t get_offset_of_restTokens_1() { return static_cast<int32_t>(offsetof(EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A, ___restTokens_1)); } inline List_1_t539EC6FA9B0346406B6F89DAED4E2BA45FE380E5 * get_restTokens_1() const { return ___restTokens_1; } inline List_1_t539EC6FA9B0346406B6F89DAED4E2BA45FE380E5 ** get_address_of_restTokens_1() { return &___restTokens_1; } inline void set_restTokens_1(List_1_t539EC6FA9B0346406B6F89DAED4E2BA45FE380E5 * value) { ___restTokens_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___restTokens_1), (void*)value); } }; // Native definition for P/Invoke marshalling of System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/EventRegistrationTokenList struct EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A_marshaled_pinvoke { EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___firstToken_0; List_1_t539EC6FA9B0346406B6F89DAED4E2BA45FE380E5 * ___restTokens_1; }; // Native definition for COM marshalling of System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal/EventRegistrationTokenList struct EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A_marshaled_com { EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___firstToken_0; List_1_t539EC6FA9B0346406B6F89DAED4E2BA45FE380E5 * ___restTokens_1; }; // System.Runtime.Serialization.StreamingContextStates struct StreamingContextStates_t6D16CD7BC584A66A29B702F5FD59DF62BB1BDD3F { public: // System.Int32 System.Runtime.Serialization.StreamingContextStates::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(StreamingContextStates_t6D16CD7BC584A66A29B702F5FD59DF62BB1BDD3F, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.Text.RegularExpressions.RegexOptions struct RegexOptions_t9A6138CDA9C60924D503C584095349F008C52EA1 { public: // System.Int32 System.Text.RegularExpressions.RegexOptions::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RegexOptions_t9A6138CDA9C60924D503C584095349F008C52EA1, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.TimeSpan struct TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 { public: // System.Int64 System.TimeSpan::_ticks int64_t ____ticks_3; public: inline static int32_t get_offset_of__ticks_3() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4, ____ticks_3)); } inline int64_t get__ticks_3() const { return ____ticks_3; } inline int64_t* get_address_of__ticks_3() { return &____ticks_3; } inline void set__ticks_3(int64_t value) { ____ticks_3 = value; } }; struct TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields { public: // System.TimeSpan System.TimeSpan::Zero TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___Zero_0; // System.TimeSpan System.TimeSpan::MaxValue TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___MaxValue_1; // System.TimeSpan System.TimeSpan::MinValue TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___MinValue_2; // System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.TimeSpan::_legacyConfigChecked bool ____legacyConfigChecked_4; // System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.TimeSpan::_legacyMode bool ____legacyMode_5; public: inline static int32_t get_offset_of_Zero_0() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields, ___Zero_0)); } inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 get_Zero_0() const { return ___Zero_0; } inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * get_address_of_Zero_0() { return &___Zero_0; } inline void set_Zero_0(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 value) { ___Zero_0 = value; } inline static int32_t get_offset_of_MaxValue_1() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields, ___MaxValue_1)); } inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 get_MaxValue_1() const { return ___MaxValue_1; } inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * get_address_of_MaxValue_1() { return &___MaxValue_1; } inline void set_MaxValue_1(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 value) { ___MaxValue_1 = value; } inline static int32_t get_offset_of_MinValue_2() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields, ___MinValue_2)); } inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 get_MinValue_2() const { return ___MinValue_2; } inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * get_address_of_MinValue_2() { return &___MinValue_2; } inline void set_MinValue_2(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 value) { ___MinValue_2 = value; } inline static int32_t get_offset_of__legacyConfigChecked_4() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields, ____legacyConfigChecked_4)); } inline bool get__legacyConfigChecked_4() const { return ____legacyConfigChecked_4; } inline bool* get_address_of__legacyConfigChecked_4() { return &____legacyConfigChecked_4; } inline void set__legacyConfigChecked_4(bool value) { ____legacyConfigChecked_4 = value; } inline static int32_t get_offset_of__legacyMode_5() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields, ____legacyMode_5)); } inline bool get__legacyMode_5() const { return ____legacyMode_5; } inline bool* get_address_of__legacyMode_5() { return &____legacyMode_5; } inline void set__legacyMode_5(bool value) { ____legacyMode_5 = value; } }; // System.Tuple`2<System.Diagnostics.Tracing.EventProvider_SessionInfo,System.Boolean> struct Tuple_2_tFB909554E9029649923EA250C43FBDD4F4548252 : public RuntimeObject { public: // T1 System.Tuple`2::m_Item1 SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A ___m_Item1_0; // T2 System.Tuple`2::m_Item2 bool ___m_Item2_1; public: inline static int32_t get_offset_of_m_Item1_0() { return static_cast<int32_t>(offsetof(Tuple_2_tFB909554E9029649923EA250C43FBDD4F4548252, ___m_Item1_0)); } inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A get_m_Item1_0() const { return ___m_Item1_0; } inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A * get_address_of_m_Item1_0() { return &___m_Item1_0; } inline void set_m_Item1_0(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A value) { ___m_Item1_0 = value; } inline static int32_t get_offset_of_m_Item2_1() { return static_cast<int32_t>(offsetof(Tuple_2_tFB909554E9029649923EA250C43FBDD4F4548252, ___m_Item2_1)); } inline bool get_m_Item2_1() const { return ___m_Item2_1; } inline bool* get_address_of_m_Item2_1() { return &___m_Item2_1; } inline void set_m_Item2_1(bool value) { ___m_Item2_1 = value; } }; // System.Tuple`2<System.Guid,System.Int32> struct Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E : public RuntimeObject { public: // T1 System.Tuple`2::m_Item1 Guid_t ___m_Item1_0; // T2 System.Tuple`2::m_Item2 int32_t ___m_Item2_1; public: inline static int32_t get_offset_of_m_Item1_0() { return static_cast<int32_t>(offsetof(Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E, ___m_Item1_0)); } inline Guid_t get_m_Item1_0() const { return ___m_Item1_0; } inline Guid_t * get_address_of_m_Item1_0() { return &___m_Item1_0; } inline void set_m_Item1_0(Guid_t value) { ___m_Item1_0 = value; } inline static int32_t get_offset_of_m_Item2_1() { return static_cast<int32_t>(offsetof(Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E, ___m_Item2_1)); } inline int32_t get_m_Item2_1() const { return ___m_Item2_1; } inline int32_t* get_address_of_m_Item2_1() { return &___m_Item2_1; } inline void set_m_Item2_1(int32_t value) { ___m_Item2_1 = value; } }; // System.Tuple`2<System.Guid,System.String> struct Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 : public RuntimeObject { public: // T1 System.Tuple`2::m_Item1 Guid_t ___m_Item1_0; // T2 System.Tuple`2::m_Item2 String_t* ___m_Item2_1; public: inline static int32_t get_offset_of_m_Item1_0() { return static_cast<int32_t>(offsetof(Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087, ___m_Item1_0)); } inline Guid_t get_m_Item1_0() const { return ___m_Item1_0; } inline Guid_t * get_address_of_m_Item1_0() { return &___m_Item1_0; } inline void set_m_Item1_0(Guid_t value) { ___m_Item1_0 = value; } inline static int32_t get_offset_of_m_Item2_1() { return static_cast<int32_t>(offsetof(Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087, ___m_Item2_1)); } inline String_t* get_m_Item2_1() const { return ___m_Item2_1; } inline String_t** get_address_of_m_Item2_1() { return &___m_Item2_1; } inline void set_m_Item2_1(String_t* value) { ___m_Item2_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_Item2_1), (void*)value); } }; // System.UInt16Enum struct UInt16Enum_tB3380938EFBC6B524E2C8143A7982637F0EA4456 { public: // System.UInt16 System.UInt16Enum::value__ uint16_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UInt16Enum_tB3380938EFBC6B524E2C8143A7982637F0EA4456, ___value___2)); } inline uint16_t get_value___2() const { return ___value___2; } inline uint16_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(uint16_t value) { ___value___2 = value; } }; // System.UInt32Enum struct UInt32Enum_tE44175EB3151A633676D60A642EDA3BD5C6760DA { public: // System.UInt32 System.UInt32Enum::value__ uint32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UInt32Enum_tE44175EB3151A633676D60A642EDA3BD5C6760DA, ___value___2)); } inline uint32_t get_value___2() const { return ___value___2; } inline uint32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(uint32_t value) { ___value___2 = value; } }; // System.UriParser_UriQuirksVersion struct UriQuirksVersion_tB044080854D030F26EB17D99FFE997D0FFB8A374 { public: // System.Int32 System.UriParser_UriQuirksVersion::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UriQuirksVersion_tB044080854D030F26EB17D99FFE997D0FFB8A374, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.UriSyntaxFlags struct UriSyntaxFlags_t8773DD32DE8871701F05FBED115A2B51679D5D46 { public: // System.Int32 System.UriSyntaxFlags::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UriSyntaxFlags_t8773DD32DE8871701F05FBED115A2B51679D5D46, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.WeakReference struct WeakReference_t0495CC81CD6403E662B7700B802443F6F730E39D : public RuntimeObject { public: // System.Boolean System.WeakReference::isLongReference bool ___isLongReference_0; // System.Runtime.InteropServices.GCHandle System.WeakReference::gcHandle GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 ___gcHandle_1; public: inline static int32_t get_offset_of_isLongReference_0() { return static_cast<int32_t>(offsetof(WeakReference_t0495CC81CD6403E662B7700B802443F6F730E39D, ___isLongReference_0)); } inline bool get_isLongReference_0() const { return ___isLongReference_0; } inline bool* get_address_of_isLongReference_0() { return &___isLongReference_0; } inline void set_isLongReference_0(bool value) { ___isLongReference_0 = value; } inline static int32_t get_offset_of_gcHandle_1() { return static_cast<int32_t>(offsetof(WeakReference_t0495CC81CD6403E662B7700B802443F6F730E39D, ___gcHandle_1)); } inline GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 get_gcHandle_1() const { return ___gcHandle_1; } inline GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 * get_address_of_gcHandle_1() { return &___gcHandle_1; } inline void set_gcHandle_1(GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 value) { ___gcHandle_1 = value; } }; // System.WeakReference`1<System.Diagnostics.Tracing.EtwSession> struct WeakReference_1_t873076F0E617BCC31EB3C0C9D10324B896FB644C : public RuntimeObject { public: // System.Runtime.InteropServices.GCHandle System.WeakReference`1::handle GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 ___handle_0; // System.Boolean System.WeakReference`1::trackResurrection bool ___trackResurrection_1; public: inline static int32_t get_offset_of_handle_0() { return static_cast<int32_t>(offsetof(WeakReference_1_t873076F0E617BCC31EB3C0C9D10324B896FB644C, ___handle_0)); } inline GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 get_handle_0() const { return ___handle_0; } inline GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 * get_address_of_handle_0() { return &___handle_0; } inline void set_handle_0(GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 value) { ___handle_0 = value; } inline static int32_t get_offset_of_trackResurrection_1() { return static_cast<int32_t>(offsetof(WeakReference_1_t873076F0E617BCC31EB3C0C9D10324B896FB644C, ___trackResurrection_1)); } inline bool get_trackResurrection_1() const { return ___trackResurrection_1; } inline bool* get_address_of_trackResurrection_1() { return &___trackResurrection_1; } inline void set_trackResurrection_1(bool value) { ___trackResurrection_1 = value; } }; // Windows.Foundation.Collections.IVectorView`1<System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken> struct NOVTABLE IVectorView_1_tF86541D44ACF981FDB521F08E22C29B6A7F4AAD2 : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m866C11183E20B13D521BD30CE77E89E9ED4F1759(uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m5D5BAD5F42C16BBF1F1ACF41107E0C9CC6848C20(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m603B803B4C37E02C1E72274E1691B4FCD84A5F4C(EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m21C3590FEAB5AA838F6E9C02E9EC1ED94C6D18CD(uint32_t ___startIndex0, uint32_t ___items1ArraySize, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * ___items1, uint32_t* comReturnValue) = 0; }; // Windows.Foundation.Collections.IVector`1<System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken> struct NOVTABLE IVector_1_t05FB0982DF40899C7BD7A86BB10E96FDDF48B42C : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_m11FBBB55F9A38DE4DADFA81748FE6916127C0878(uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_m789D7F1F0E051606F0562B79476258A4D21EED99(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetView_m1E1495050249E99D5EF1B4B7EC303A629C041992(IVectorView_1_tF86541D44ACF981FDB521F08E22C29B6A7F4AAD2** comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_m9E00EFF4CA2BAAC5565CCDB6A5580765941B0505(EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value0, uint32_t* ___index1, bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_m3C16C29F662C4E4D4885B22FD52F15459F05A972(uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_mB421C86318FF57AD70825AA4D00052320A3E5885(uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value1) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_mE294B065920D7E3D3ABF9886A6A40091C61EAEB9(uint32_t ___index0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Append_m0377648EF596E9BAC32939AE756DB4DDEB3C98E7(EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value0) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_m5899588FD64273070B1BCF1CFD69BBE607ED11F3() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_Clear_m3D09CA34D42D8B73978DB8F194E264BA5AED005C() = 0; virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_m03783008E0814F28A2C84BC188FF37466CADF6FD(uint32_t ___startIndex0, uint32_t ___items1ArraySize, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * ___items1, uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_mB431045E388BF35EB4D5CC899ED875758D8B709E(uint32_t ___items0ArraySize, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * ___items0) = 0; }; // Windows.Foundation.PropertyType struct PropertyType_t57C754BCEE8B174F474AB6298CFD8E2B02AE3B2C { public: // System.Int32 Windows.Foundation.PropertyType::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PropertyType_t57C754BCEE8B174F474AB6298CFD8E2B02AE3B2C, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList> struct Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF { public: // System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.Dictionary`2_Entry::next int32_t ___next_1; // TKey System.Collections.Generic.Dictionary`2_Entry::key RuntimeObject * ___key_2; // TValue System.Collections.Generic.Dictionary`2_Entry::value EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A ___value_3; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF, ___hashCode_0)); } inline int32_t get_hashCode_0() const { return ___hashCode_0; } inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; } inline void set_hashCode_0(int32_t value) { ___hashCode_0 = value; } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF, ___next_1)); } inline int32_t get_next_1() const { return ___next_1; } inline int32_t* get_address_of_next_1() { return &___next_1; } inline void set_next_1(int32_t value) { ___next_1 = value; } inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF, ___key_2)); } inline RuntimeObject * get_key_2() const { return ___key_2; } inline RuntimeObject ** get_address_of_key_2() { return &___key_2; } inline void set_key_2(RuntimeObject * value) { ___key_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_2), (void*)value); } inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF, ___value_3)); } inline EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A get_value_3() const { return ___value_3; } inline EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A * get_address_of_value_3() { return &___value_3; } inline void set_value_3(EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A value) { ___value_3 = value; Il2CppCodeGenWriteBarrier((void**)&(((&___value_3))->___restTokens_1), (void*)NULL); } }; // System.Collections.Generic.KeyValuePair`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList> struct KeyValuePair_2_t9166121F7D0104D469E8B23CA0CC235A379281B3 { public: // TKey System.Collections.Generic.KeyValuePair`2::key RuntimeObject * ___key_0; // TValue System.Collections.Generic.KeyValuePair`2::value EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A ___value_1; public: inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t9166121F7D0104D469E8B23CA0CC235A379281B3, ___key_0)); } inline RuntimeObject * get_key_0() const { return ___key_0; } inline RuntimeObject ** get_address_of_key_0() { return &___key_0; } inline void set_key_0(RuntimeObject * value) { ___key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value); } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t9166121F7D0104D469E8B23CA0CC235A379281B3, ___value_1)); } inline EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A get_value_1() const { return ___value_1; } inline EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A * get_address_of_value_1() { return &___value_1; } inline void set_value_1(EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)&(((&___value_1))->___restTokens_1), (void*)NULL); } }; // System.Diagnostics.Tracing.EventSource_EventMetadata struct EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B { public: // System.Diagnostics.Tracing.EventDescriptor System.Diagnostics.Tracing.EventSource_EventMetadata::Descriptor EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E ___Descriptor_0; // System.Diagnostics.Tracing.EventTags System.Diagnostics.Tracing.EventSource_EventMetadata::Tags int32_t ___Tags_1; // System.Boolean System.Diagnostics.Tracing.EventSource_EventMetadata::EnabledForAnyListener bool ___EnabledForAnyListener_2; // System.Boolean System.Diagnostics.Tracing.EventSource_EventMetadata::EnabledForETW bool ___EnabledForETW_3; // System.Boolean System.Diagnostics.Tracing.EventSource_EventMetadata::HasRelatedActivityID bool ___HasRelatedActivityID_4; // System.Byte System.Diagnostics.Tracing.EventSource_EventMetadata::TriggersActivityTracking uint8_t ___TriggersActivityTracking_5; // System.String System.Diagnostics.Tracing.EventSource_EventMetadata::Name String_t* ___Name_6; // System.String System.Diagnostics.Tracing.EventSource_EventMetadata::Message String_t* ___Message_7; // System.Reflection.ParameterInfo[] System.Diagnostics.Tracing.EventSource_EventMetadata::Parameters ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694* ___Parameters_8; // System.Diagnostics.Tracing.TraceLoggingEventTypes System.Diagnostics.Tracing.EventSource_EventMetadata::TraceLoggingEventTypes TraceLoggingEventTypes_t9CC0B45F554DBE11BA54227A704E1AC027E5DD25 * ___TraceLoggingEventTypes_9; // System.Diagnostics.Tracing.EventActivityOptions System.Diagnostics.Tracing.EventSource_EventMetadata::ActivityOptions int32_t ___ActivityOptions_10; public: inline static int32_t get_offset_of_Descriptor_0() { return static_cast<int32_t>(offsetof(EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B, ___Descriptor_0)); } inline EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E get_Descriptor_0() const { return ___Descriptor_0; } inline EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E * get_address_of_Descriptor_0() { return &___Descriptor_0; } inline void set_Descriptor_0(EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E value) { ___Descriptor_0 = value; } inline static int32_t get_offset_of_Tags_1() { return static_cast<int32_t>(offsetof(EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B, ___Tags_1)); } inline int32_t get_Tags_1() const { return ___Tags_1; } inline int32_t* get_address_of_Tags_1() { return &___Tags_1; } inline void set_Tags_1(int32_t value) { ___Tags_1 = value; } inline static int32_t get_offset_of_EnabledForAnyListener_2() { return static_cast<int32_t>(offsetof(EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B, ___EnabledForAnyListener_2)); } inline bool get_EnabledForAnyListener_2() const { return ___EnabledForAnyListener_2; } inline bool* get_address_of_EnabledForAnyListener_2() { return &___EnabledForAnyListener_2; } inline void set_EnabledForAnyListener_2(bool value) { ___EnabledForAnyListener_2 = value; } inline static int32_t get_offset_of_EnabledForETW_3() { return static_cast<int32_t>(offsetof(EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B, ___EnabledForETW_3)); } inline bool get_EnabledForETW_3() const { return ___EnabledForETW_3; } inline bool* get_address_of_EnabledForETW_3() { return &___EnabledForETW_3; } inline void set_EnabledForETW_3(bool value) { ___EnabledForETW_3 = value; } inline static int32_t get_offset_of_HasRelatedActivityID_4() { return static_cast<int32_t>(offsetof(EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B, ___HasRelatedActivityID_4)); } inline bool get_HasRelatedActivityID_4() const { return ___HasRelatedActivityID_4; } inline bool* get_address_of_HasRelatedActivityID_4() { return &___HasRelatedActivityID_4; } inline void set_HasRelatedActivityID_4(bool value) { ___HasRelatedActivityID_4 = value; } inline static int32_t get_offset_of_TriggersActivityTracking_5() { return static_cast<int32_t>(offsetof(EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B, ___TriggersActivityTracking_5)); } inline uint8_t get_TriggersActivityTracking_5() const { return ___TriggersActivityTracking_5; } inline uint8_t* get_address_of_TriggersActivityTracking_5() { return &___TriggersActivityTracking_5; } inline void set_TriggersActivityTracking_5(uint8_t value) { ___TriggersActivityTracking_5 = value; } inline static int32_t get_offset_of_Name_6() { return static_cast<int32_t>(offsetof(EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B, ___Name_6)); } inline String_t* get_Name_6() const { return ___Name_6; } inline String_t** get_address_of_Name_6() { return &___Name_6; } inline void set_Name_6(String_t* value) { ___Name_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___Name_6), (void*)value); } inline static int32_t get_offset_of_Message_7() { return static_cast<int32_t>(offsetof(EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B, ___Message_7)); } inline String_t* get_Message_7() const { return ___Message_7; } inline String_t** get_address_of_Message_7() { return &___Message_7; } inline void set_Message_7(String_t* value) { ___Message_7 = value; Il2CppCodeGenWriteBarrier((void**)(&___Message_7), (void*)value); } inline static int32_t get_offset_of_Parameters_8() { return static_cast<int32_t>(offsetof(EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B, ___Parameters_8)); } inline ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694* get_Parameters_8() const { return ___Parameters_8; } inline ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694** get_address_of_Parameters_8() { return &___Parameters_8; } inline void set_Parameters_8(ParameterInfoU5BU5D_t9F6F38E4A0B0A78E2F463D1B2C0031716CA7A694* value) { ___Parameters_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___Parameters_8), (void*)value); } inline static int32_t get_offset_of_TraceLoggingEventTypes_9() { return static_cast<int32_t>(offsetof(EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B, ___TraceLoggingEventTypes_9)); } inline TraceLoggingEventTypes_t9CC0B45F554DBE11BA54227A704E1AC027E5DD25 * get_TraceLoggingEventTypes_9() const { return ___TraceLoggingEventTypes_9; } inline TraceLoggingEventTypes_t9CC0B45F554DBE11BA54227A704E1AC027E5DD25 ** get_address_of_TraceLoggingEventTypes_9() { return &___TraceLoggingEventTypes_9; } inline void set_TraceLoggingEventTypes_9(TraceLoggingEventTypes_t9CC0B45F554DBE11BA54227A704E1AC027E5DD25 * value) { ___TraceLoggingEventTypes_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___TraceLoggingEventTypes_9), (void*)value); } inline static int32_t get_offset_of_ActivityOptions_10() { return static_cast<int32_t>(offsetof(EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B, ___ActivityOptions_10)); } inline int32_t get_ActivityOptions_10() const { return ___ActivityOptions_10; } inline int32_t* get_address_of_ActivityOptions_10() { return &___ActivityOptions_10; } inline void set_ActivityOptions_10(int32_t value) { ___ActivityOptions_10 = value; } }; // Native definition for P/Invoke marshalling of System.Diagnostics.Tracing.EventSource/EventMetadata struct EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B_marshaled_pinvoke { EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E ___Descriptor_0; int32_t ___Tags_1; int32_t ___EnabledForAnyListener_2; int32_t ___EnabledForETW_3; int32_t ___HasRelatedActivityID_4; uint8_t ___TriggersActivityTracking_5; char* ___Name_6; char* ___Message_7; ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB_marshaled_pinvoke** ___Parameters_8; TraceLoggingEventTypes_t9CC0B45F554DBE11BA54227A704E1AC027E5DD25 * ___TraceLoggingEventTypes_9; int32_t ___ActivityOptions_10; }; // Native definition for COM marshalling of System.Diagnostics.Tracing.EventSource/EventMetadata struct EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B_marshaled_com { EventDescriptor_t0DB21DFB13157AE81D79A01C853DF3729072B38E ___Descriptor_0; int32_t ___Tags_1; int32_t ___EnabledForAnyListener_2; int32_t ___EnabledForETW_3; int32_t ___HasRelatedActivityID_4; uint8_t ___TriggersActivityTracking_5; Il2CppChar* ___Name_6; Il2CppChar* ___Message_7; ParameterInfo_t37AB8D79D44E14C48CDA9004CB696E240C3FD4DB_marshaled_com** ___Parameters_8; TraceLoggingEventTypes_t9CC0B45F554DBE11BA54227A704E1AC027E5DD25 * ___TraceLoggingEventTypes_9; int32_t ___ActivityOptions_10; }; // System.Diagnostics.Tracing.FieldMetadata struct FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC : public RuntimeObject { public: // System.String System.Diagnostics.Tracing.FieldMetadata::name String_t* ___name_0; // System.Int32 System.Diagnostics.Tracing.FieldMetadata::nameSize int32_t ___nameSize_1; // System.Diagnostics.Tracing.EventFieldTags System.Diagnostics.Tracing.FieldMetadata::tags int32_t ___tags_2; // System.Byte[] System.Diagnostics.Tracing.FieldMetadata::custom ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___custom_3; // System.UInt16 System.Diagnostics.Tracing.FieldMetadata::fixedCount uint16_t ___fixedCount_4; // System.Byte System.Diagnostics.Tracing.FieldMetadata::inType uint8_t ___inType_5; // System.Byte System.Diagnostics.Tracing.FieldMetadata::outType uint8_t ___outType_6; public: inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC, ___name_0)); } inline String_t* get_name_0() const { return ___name_0; } inline String_t** get_address_of_name_0() { return &___name_0; } inline void set_name_0(String_t* value) { ___name_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___name_0), (void*)value); } inline static int32_t get_offset_of_nameSize_1() { return static_cast<int32_t>(offsetof(FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC, ___nameSize_1)); } inline int32_t get_nameSize_1() const { return ___nameSize_1; } inline int32_t* get_address_of_nameSize_1() { return &___nameSize_1; } inline void set_nameSize_1(int32_t value) { ___nameSize_1 = value; } inline static int32_t get_offset_of_tags_2() { return static_cast<int32_t>(offsetof(FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC, ___tags_2)); } inline int32_t get_tags_2() const { return ___tags_2; } inline int32_t* get_address_of_tags_2() { return &___tags_2; } inline void set_tags_2(int32_t value) { ___tags_2 = value; } inline static int32_t get_offset_of_custom_3() { return static_cast<int32_t>(offsetof(FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC, ___custom_3)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get_custom_3() const { return ___custom_3; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of_custom_3() { return &___custom_3; } inline void set_custom_3(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ___custom_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___custom_3), (void*)value); } inline static int32_t get_offset_of_fixedCount_4() { return static_cast<int32_t>(offsetof(FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC, ___fixedCount_4)); } inline uint16_t get_fixedCount_4() const { return ___fixedCount_4; } inline uint16_t* get_address_of_fixedCount_4() { return &___fixedCount_4; } inline void set_fixedCount_4(uint16_t value) { ___fixedCount_4 = value; } inline static int32_t get_offset_of_inType_5() { return static_cast<int32_t>(offsetof(FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC, ___inType_5)); } inline uint8_t get_inType_5() const { return ___inType_5; } inline uint8_t* get_address_of_inType_5() { return &___inType_5; } inline void set_inType_5(uint8_t value) { ___inType_5 = value; } inline static int32_t get_offset_of_outType_6() { return static_cast<int32_t>(offsetof(FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC, ___outType_6)); } inline uint8_t get_outType_6() const { return ___outType_6; } inline uint8_t* get_address_of_outType_6() { return &___outType_6; } inline void set_outType_6(uint8_t value) { ___outType_6 = value; } }; // System.Diagnostics.Tracing.NameInfo struct NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C : public ConcurrentSetItem_2_tF75C8666AA6AE859719571013C6765518785D0DA { public: // System.String System.Diagnostics.Tracing.NameInfo::name String_t* ___name_1; // System.Diagnostics.Tracing.EventTags System.Diagnostics.Tracing.NameInfo::tags int32_t ___tags_2; // System.Int32 System.Diagnostics.Tracing.NameInfo::identity int32_t ___identity_3; // System.Byte[] System.Diagnostics.Tracing.NameInfo::nameMetadata ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___nameMetadata_4; public: inline static int32_t get_offset_of_name_1() { return static_cast<int32_t>(offsetof(NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C, ___name_1)); } inline String_t* get_name_1() const { return ___name_1; } inline String_t** get_address_of_name_1() { return &___name_1; } inline void set_name_1(String_t* value) { ___name_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___name_1), (void*)value); } inline static int32_t get_offset_of_tags_2() { return static_cast<int32_t>(offsetof(NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C, ___tags_2)); } inline int32_t get_tags_2() const { return ___tags_2; } inline int32_t* get_address_of_tags_2() { return &___tags_2; } inline void set_tags_2(int32_t value) { ___tags_2 = value; } inline static int32_t get_offset_of_identity_3() { return static_cast<int32_t>(offsetof(NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C, ___identity_3)); } inline int32_t get_identity_3() const { return ___identity_3; } inline int32_t* get_address_of_identity_3() { return &___identity_3; } inline void set_identity_3(int32_t value) { ___identity_3 = value; } inline static int32_t get_offset_of_nameMetadata_4() { return static_cast<int32_t>(offsetof(NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C, ___nameMetadata_4)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get_nameMetadata_4() const { return ___nameMetadata_4; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of_nameMetadata_4() { return &___nameMetadata_4; } inline void set_nameMetadata_4(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ___nameMetadata_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___nameMetadata_4), (void*)value); } }; struct NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C_StaticFields { public: // System.Int32 System.Diagnostics.Tracing.NameInfo::lastIdentity int32_t ___lastIdentity_0; public: inline static int32_t get_offset_of_lastIdentity_0() { return static_cast<int32_t>(offsetof(NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C_StaticFields, ___lastIdentity_0)); } inline int32_t get_lastIdentity_0() const { return ___lastIdentity_0; } inline int32_t* get_address_of_lastIdentity_0() { return &___lastIdentity_0; } inline void set_lastIdentity_0(int32_t value) { ___lastIdentity_0 = value; } }; // System.Diagnostics.Tracing.TraceLoggingTypeInfo struct TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F : public RuntimeObject { public: // System.String System.Diagnostics.Tracing.TraceLoggingTypeInfo::name String_t* ___name_0; // System.Diagnostics.Tracing.EventKeywords System.Diagnostics.Tracing.TraceLoggingTypeInfo::keywords int64_t ___keywords_1; // System.Diagnostics.Tracing.EventLevel System.Diagnostics.Tracing.TraceLoggingTypeInfo::level int32_t ___level_2; // System.Diagnostics.Tracing.EventOpcode System.Diagnostics.Tracing.TraceLoggingTypeInfo::opcode int32_t ___opcode_3; // System.Diagnostics.Tracing.EventTags System.Diagnostics.Tracing.TraceLoggingTypeInfo::tags int32_t ___tags_4; // System.Type System.Diagnostics.Tracing.TraceLoggingTypeInfo::dataType Type_t * ___dataType_5; public: inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F, ___name_0)); } inline String_t* get_name_0() const { return ___name_0; } inline String_t** get_address_of_name_0() { return &___name_0; } inline void set_name_0(String_t* value) { ___name_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___name_0), (void*)value); } inline static int32_t get_offset_of_keywords_1() { return static_cast<int32_t>(offsetof(TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F, ___keywords_1)); } inline int64_t get_keywords_1() const { return ___keywords_1; } inline int64_t* get_address_of_keywords_1() { return &___keywords_1; } inline void set_keywords_1(int64_t value) { ___keywords_1 = value; } inline static int32_t get_offset_of_level_2() { return static_cast<int32_t>(offsetof(TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F, ___level_2)); } inline int32_t get_level_2() const { return ___level_2; } inline int32_t* get_address_of_level_2() { return &___level_2; } inline void set_level_2(int32_t value) { ___level_2 = value; } inline static int32_t get_offset_of_opcode_3() { return static_cast<int32_t>(offsetof(TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F, ___opcode_3)); } inline int32_t get_opcode_3() const { return ___opcode_3; } inline int32_t* get_address_of_opcode_3() { return &___opcode_3; } inline void set_opcode_3(int32_t value) { ___opcode_3 = value; } inline static int32_t get_offset_of_tags_4() { return static_cast<int32_t>(offsetof(TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F, ___tags_4)); } inline int32_t get_tags_4() const { return ___tags_4; } inline int32_t* get_address_of_tags_4() { return &___tags_4; } inline void set_tags_4(int32_t value) { ___tags_4 = value; } inline static int32_t get_offset_of_dataType_5() { return static_cast<int32_t>(offsetof(TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F, ___dataType_5)); } inline Type_t * get_dataType_5() const { return ___dataType_5; } inline Type_t ** get_address_of_dataType_5() { return &___dataType_5; } inline void set_dataType_5(Type_t * value) { ___dataType_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___dataType_5), (void*)value); } }; // System.Runtime.Serialization.StreamingContext struct StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 { public: // System.Object System.Runtime.Serialization.StreamingContext::m_additionalContext RuntimeObject * ___m_additionalContext_0; // System.Runtime.Serialization.StreamingContextStates System.Runtime.Serialization.StreamingContext::m_state int32_t ___m_state_1; public: inline static int32_t get_offset_of_m_additionalContext_0() { return static_cast<int32_t>(offsetof(StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034, ___m_additionalContext_0)); } inline RuntimeObject * get_m_additionalContext_0() const { return ___m_additionalContext_0; } inline RuntimeObject ** get_address_of_m_additionalContext_0() { return &___m_additionalContext_0; } inline void set_m_additionalContext_0(RuntimeObject * value) { ___m_additionalContext_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_additionalContext_0), (void*)value); } inline static int32_t get_offset_of_m_state_1() { return static_cast<int32_t>(offsetof(StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034, ___m_state_1)); } inline int32_t get_m_state_1() const { return ___m_state_1; } inline int32_t* get_address_of_m_state_1() { return &___m_state_1; } inline void set_m_state_1(int32_t value) { ___m_state_1 = value; } }; // Native definition for P/Invoke marshalling of System.Runtime.Serialization.StreamingContext struct StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034_marshaled_pinvoke { Il2CppIUnknown* ___m_additionalContext_0; int32_t ___m_state_1; }; // Native definition for COM marshalling of System.Runtime.Serialization.StreamingContext struct StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034_marshaled_com { Il2CppIUnknown* ___m_additionalContext_0; int32_t ___m_state_1; }; // System.Text.RegularExpressions.RegexNode struct RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 : public RuntimeObject { public: // System.Int32 System.Text.RegularExpressions.RegexNode::_type int32_t ____type_0; // System.Collections.Generic.List`1<System.Text.RegularExpressions.RegexNode> System.Text.RegularExpressions.RegexNode::_children List_1_tA5CDE89671B691180A7422F86077A0D047AD4059 * ____children_1; // System.String System.Text.RegularExpressions.RegexNode::_str String_t* ____str_2; // System.Char System.Text.RegularExpressions.RegexNode::_ch Il2CppChar ____ch_3; // System.Int32 System.Text.RegularExpressions.RegexNode::_m int32_t ____m_4; // System.Int32 System.Text.RegularExpressions.RegexNode::_n int32_t ____n_5; // System.Text.RegularExpressions.RegexOptions System.Text.RegularExpressions.RegexNode::_options int32_t ____options_6; // System.Text.RegularExpressions.RegexNode System.Text.RegularExpressions.RegexNode::_next RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 * ____next_7; public: inline static int32_t get_offset_of__type_0() { return static_cast<int32_t>(offsetof(RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75, ____type_0)); } inline int32_t get__type_0() const { return ____type_0; } inline int32_t* get_address_of__type_0() { return &____type_0; } inline void set__type_0(int32_t value) { ____type_0 = value; } inline static int32_t get_offset_of__children_1() { return static_cast<int32_t>(offsetof(RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75, ____children_1)); } inline List_1_tA5CDE89671B691180A7422F86077A0D047AD4059 * get__children_1() const { return ____children_1; } inline List_1_tA5CDE89671B691180A7422F86077A0D047AD4059 ** get_address_of__children_1() { return &____children_1; } inline void set__children_1(List_1_tA5CDE89671B691180A7422F86077A0D047AD4059 * value) { ____children_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____children_1), (void*)value); } inline static int32_t get_offset_of__str_2() { return static_cast<int32_t>(offsetof(RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75, ____str_2)); } inline String_t* get__str_2() const { return ____str_2; } inline String_t** get_address_of__str_2() { return &____str_2; } inline void set__str_2(String_t* value) { ____str_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____str_2), (void*)value); } inline static int32_t get_offset_of__ch_3() { return static_cast<int32_t>(offsetof(RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75, ____ch_3)); } inline Il2CppChar get__ch_3() const { return ____ch_3; } inline Il2CppChar* get_address_of__ch_3() { return &____ch_3; } inline void set__ch_3(Il2CppChar value) { ____ch_3 = value; } inline static int32_t get_offset_of__m_4() { return static_cast<int32_t>(offsetof(RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75, ____m_4)); } inline int32_t get__m_4() const { return ____m_4; } inline int32_t* get_address_of__m_4() { return &____m_4; } inline void set__m_4(int32_t value) { ____m_4 = value; } inline static int32_t get_offset_of__n_5() { return static_cast<int32_t>(offsetof(RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75, ____n_5)); } inline int32_t get__n_5() const { return ____n_5; } inline int32_t* get_address_of__n_5() { return &____n_5; } inline void set__n_5(int32_t value) { ____n_5 = value; } inline static int32_t get_offset_of__options_6() { return static_cast<int32_t>(offsetof(RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75, ____options_6)); } inline int32_t get__options_6() const { return ____options_6; } inline int32_t* get_address_of__options_6() { return &____options_6; } inline void set__options_6(int32_t value) { ____options_6 = value; } inline static int32_t get_offset_of__next_7() { return static_cast<int32_t>(offsetof(RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75, ____next_7)); } inline RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 * get__next_7() const { return ____next_7; } inline RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 ** get_address_of__next_7() { return &____next_7; } inline void set__next_7(RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 * value) { ____next_7 = value; Il2CppCodeGenWriteBarrier((void**)(&____next_7), (void*)value); } }; // System.UriParser struct UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC : public RuntimeObject { public: // System.UriSyntaxFlags System.UriParser::m_Flags int32_t ___m_Flags_2; // System.UriSyntaxFlags modreq(System.Runtime.CompilerServices.IsVolatile) System.UriParser::m_UpdatableFlags int32_t ___m_UpdatableFlags_3; // System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.UriParser::m_UpdatableFlagsUsed bool ___m_UpdatableFlagsUsed_4; // System.Int32 System.UriParser::m_Port int32_t ___m_Port_5; // System.String System.UriParser::m_Scheme String_t* ___m_Scheme_6; public: inline static int32_t get_offset_of_m_Flags_2() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC, ___m_Flags_2)); } inline int32_t get_m_Flags_2() const { return ___m_Flags_2; } inline int32_t* get_address_of_m_Flags_2() { return &___m_Flags_2; } inline void set_m_Flags_2(int32_t value) { ___m_Flags_2 = value; } inline static int32_t get_offset_of_m_UpdatableFlags_3() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC, ___m_UpdatableFlags_3)); } inline int32_t get_m_UpdatableFlags_3() const { return ___m_UpdatableFlags_3; } inline int32_t* get_address_of_m_UpdatableFlags_3() { return &___m_UpdatableFlags_3; } inline void set_m_UpdatableFlags_3(int32_t value) { ___m_UpdatableFlags_3 = value; } inline static int32_t get_offset_of_m_UpdatableFlagsUsed_4() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC, ___m_UpdatableFlagsUsed_4)); } inline bool get_m_UpdatableFlagsUsed_4() const { return ___m_UpdatableFlagsUsed_4; } inline bool* get_address_of_m_UpdatableFlagsUsed_4() { return &___m_UpdatableFlagsUsed_4; } inline void set_m_UpdatableFlagsUsed_4(bool value) { ___m_UpdatableFlagsUsed_4 = value; } inline static int32_t get_offset_of_m_Port_5() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC, ___m_Port_5)); } inline int32_t get_m_Port_5() const { return ___m_Port_5; } inline int32_t* get_address_of_m_Port_5() { return &___m_Port_5; } inline void set_m_Port_5(int32_t value) { ___m_Port_5 = value; } inline static int32_t get_offset_of_m_Scheme_6() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC, ___m_Scheme_6)); } inline String_t* get_m_Scheme_6() const { return ___m_Scheme_6; } inline String_t** get_address_of_m_Scheme_6() { return &___m_Scheme_6; } inline void set_m_Scheme_6(String_t* value) { ___m_Scheme_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_Scheme_6), (void*)value); } }; struct UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields { public: // System.Collections.Generic.Dictionary`2<System.String,System.UriParser> System.UriParser::m_Table Dictionary_2_tB0B3F0D7A7E98EDBC0C35218EEA8560D1F0CCFCE * ___m_Table_0; // System.Collections.Generic.Dictionary`2<System.String,System.UriParser> System.UriParser::m_TempTable Dictionary_2_tB0B3F0D7A7E98EDBC0C35218EEA8560D1F0CCFCE * ___m_TempTable_1; // System.UriParser System.UriParser::HttpUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___HttpUri_7; // System.UriParser System.UriParser::HttpsUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___HttpsUri_8; // System.UriParser System.UriParser::WsUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___WsUri_9; // System.UriParser System.UriParser::WssUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___WssUri_10; // System.UriParser System.UriParser::FtpUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___FtpUri_11; // System.UriParser System.UriParser::FileUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___FileUri_12; // System.UriParser System.UriParser::GopherUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___GopherUri_13; // System.UriParser System.UriParser::NntpUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___NntpUri_14; // System.UriParser System.UriParser::NewsUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___NewsUri_15; // System.UriParser System.UriParser::MailToUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___MailToUri_16; // System.UriParser System.UriParser::UuidUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___UuidUri_17; // System.UriParser System.UriParser::TelnetUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___TelnetUri_18; // System.UriParser System.UriParser::LdapUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___LdapUri_19; // System.UriParser System.UriParser::NetTcpUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___NetTcpUri_20; // System.UriParser System.UriParser::NetPipeUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___NetPipeUri_21; // System.UriParser System.UriParser::VsMacrosUri UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * ___VsMacrosUri_22; // System.UriParser_UriQuirksVersion System.UriParser::s_QuirksVersion int32_t ___s_QuirksVersion_23; // System.UriSyntaxFlags System.UriParser::HttpSyntaxFlags int32_t ___HttpSyntaxFlags_24; // System.UriSyntaxFlags System.UriParser::FileSyntaxFlags int32_t ___FileSyntaxFlags_25; public: inline static int32_t get_offset_of_m_Table_0() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___m_Table_0)); } inline Dictionary_2_tB0B3F0D7A7E98EDBC0C35218EEA8560D1F0CCFCE * get_m_Table_0() const { return ___m_Table_0; } inline Dictionary_2_tB0B3F0D7A7E98EDBC0C35218EEA8560D1F0CCFCE ** get_address_of_m_Table_0() { return &___m_Table_0; } inline void set_m_Table_0(Dictionary_2_tB0B3F0D7A7E98EDBC0C35218EEA8560D1F0CCFCE * value) { ___m_Table_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_Table_0), (void*)value); } inline static int32_t get_offset_of_m_TempTable_1() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___m_TempTable_1)); } inline Dictionary_2_tB0B3F0D7A7E98EDBC0C35218EEA8560D1F0CCFCE * get_m_TempTable_1() const { return ___m_TempTable_1; } inline Dictionary_2_tB0B3F0D7A7E98EDBC0C35218EEA8560D1F0CCFCE ** get_address_of_m_TempTable_1() { return &___m_TempTable_1; } inline void set_m_TempTable_1(Dictionary_2_tB0B3F0D7A7E98EDBC0C35218EEA8560D1F0CCFCE * value) { ___m_TempTable_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_TempTable_1), (void*)value); } inline static int32_t get_offset_of_HttpUri_7() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___HttpUri_7)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_HttpUri_7() const { return ___HttpUri_7; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_HttpUri_7() { return &___HttpUri_7; } inline void set_HttpUri_7(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___HttpUri_7 = value; Il2CppCodeGenWriteBarrier((void**)(&___HttpUri_7), (void*)value); } inline static int32_t get_offset_of_HttpsUri_8() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___HttpsUri_8)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_HttpsUri_8() const { return ___HttpsUri_8; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_HttpsUri_8() { return &___HttpsUri_8; } inline void set_HttpsUri_8(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___HttpsUri_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___HttpsUri_8), (void*)value); } inline static int32_t get_offset_of_WsUri_9() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___WsUri_9)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_WsUri_9() const { return ___WsUri_9; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_WsUri_9() { return &___WsUri_9; } inline void set_WsUri_9(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___WsUri_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___WsUri_9), (void*)value); } inline static int32_t get_offset_of_WssUri_10() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___WssUri_10)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_WssUri_10() const { return ___WssUri_10; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_WssUri_10() { return &___WssUri_10; } inline void set_WssUri_10(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___WssUri_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___WssUri_10), (void*)value); } inline static int32_t get_offset_of_FtpUri_11() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___FtpUri_11)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_FtpUri_11() const { return ___FtpUri_11; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_FtpUri_11() { return &___FtpUri_11; } inline void set_FtpUri_11(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___FtpUri_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___FtpUri_11), (void*)value); } inline static int32_t get_offset_of_FileUri_12() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___FileUri_12)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_FileUri_12() const { return ___FileUri_12; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_FileUri_12() { return &___FileUri_12; } inline void set_FileUri_12(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___FileUri_12 = value; Il2CppCodeGenWriteBarrier((void**)(&___FileUri_12), (void*)value); } inline static int32_t get_offset_of_GopherUri_13() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___GopherUri_13)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_GopherUri_13() const { return ___GopherUri_13; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_GopherUri_13() { return &___GopherUri_13; } inline void set_GopherUri_13(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___GopherUri_13 = value; Il2CppCodeGenWriteBarrier((void**)(&___GopherUri_13), (void*)value); } inline static int32_t get_offset_of_NntpUri_14() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___NntpUri_14)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_NntpUri_14() const { return ___NntpUri_14; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_NntpUri_14() { return &___NntpUri_14; } inline void set_NntpUri_14(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___NntpUri_14 = value; Il2CppCodeGenWriteBarrier((void**)(&___NntpUri_14), (void*)value); } inline static int32_t get_offset_of_NewsUri_15() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___NewsUri_15)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_NewsUri_15() const { return ___NewsUri_15; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_NewsUri_15() { return &___NewsUri_15; } inline void set_NewsUri_15(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___NewsUri_15 = value; Il2CppCodeGenWriteBarrier((void**)(&___NewsUri_15), (void*)value); } inline static int32_t get_offset_of_MailToUri_16() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___MailToUri_16)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_MailToUri_16() const { return ___MailToUri_16; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_MailToUri_16() { return &___MailToUri_16; } inline void set_MailToUri_16(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___MailToUri_16 = value; Il2CppCodeGenWriteBarrier((void**)(&___MailToUri_16), (void*)value); } inline static int32_t get_offset_of_UuidUri_17() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___UuidUri_17)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_UuidUri_17() const { return ___UuidUri_17; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_UuidUri_17() { return &___UuidUri_17; } inline void set_UuidUri_17(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___UuidUri_17 = value; Il2CppCodeGenWriteBarrier((void**)(&___UuidUri_17), (void*)value); } inline static int32_t get_offset_of_TelnetUri_18() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___TelnetUri_18)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_TelnetUri_18() const { return ___TelnetUri_18; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_TelnetUri_18() { return &___TelnetUri_18; } inline void set_TelnetUri_18(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___TelnetUri_18 = value; Il2CppCodeGenWriteBarrier((void**)(&___TelnetUri_18), (void*)value); } inline static int32_t get_offset_of_LdapUri_19() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___LdapUri_19)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_LdapUri_19() const { return ___LdapUri_19; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_LdapUri_19() { return &___LdapUri_19; } inline void set_LdapUri_19(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___LdapUri_19 = value; Il2CppCodeGenWriteBarrier((void**)(&___LdapUri_19), (void*)value); } inline static int32_t get_offset_of_NetTcpUri_20() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___NetTcpUri_20)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_NetTcpUri_20() const { return ___NetTcpUri_20; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_NetTcpUri_20() { return &___NetTcpUri_20; } inline void set_NetTcpUri_20(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___NetTcpUri_20 = value; Il2CppCodeGenWriteBarrier((void**)(&___NetTcpUri_20), (void*)value); } inline static int32_t get_offset_of_NetPipeUri_21() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___NetPipeUri_21)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_NetPipeUri_21() const { return ___NetPipeUri_21; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_NetPipeUri_21() { return &___NetPipeUri_21; } inline void set_NetPipeUri_21(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___NetPipeUri_21 = value; Il2CppCodeGenWriteBarrier((void**)(&___NetPipeUri_21), (void*)value); } inline static int32_t get_offset_of_VsMacrosUri_22() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___VsMacrosUri_22)); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * get_VsMacrosUri_22() const { return ___VsMacrosUri_22; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** get_address_of_VsMacrosUri_22() { return &___VsMacrosUri_22; } inline void set_VsMacrosUri_22(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { ___VsMacrosUri_22 = value; Il2CppCodeGenWriteBarrier((void**)(&___VsMacrosUri_22), (void*)value); } inline static int32_t get_offset_of_s_QuirksVersion_23() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___s_QuirksVersion_23)); } inline int32_t get_s_QuirksVersion_23() const { return ___s_QuirksVersion_23; } inline int32_t* get_address_of_s_QuirksVersion_23() { return &___s_QuirksVersion_23; } inline void set_s_QuirksVersion_23(int32_t value) { ___s_QuirksVersion_23 = value; } inline static int32_t get_offset_of_HttpSyntaxFlags_24() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___HttpSyntaxFlags_24)); } inline int32_t get_HttpSyntaxFlags_24() const { return ___HttpSyntaxFlags_24; } inline int32_t* get_address_of_HttpSyntaxFlags_24() { return &___HttpSyntaxFlags_24; } inline void set_HttpSyntaxFlags_24(int32_t value) { ___HttpSyntaxFlags_24 = value; } inline static int32_t get_offset_of_FileSyntaxFlags_25() { return static_cast<int32_t>(offsetof(UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC_StaticFields, ___FileSyntaxFlags_25)); } inline int32_t get_FileSyntaxFlags_25() const { return ___FileSyntaxFlags_25; } inline int32_t* get_address_of_FileSyntaxFlags_25() { return &___FileSyntaxFlags_25; } inline void set_FileSyntaxFlags_25(int32_t value) { ___FileSyntaxFlags_25 = value; } }; // Windows.Foundation.IPropertyValue struct NOVTABLE IPropertyValue_t239390018B885BE640A1051E103B64696F623C7B : Il2CppIInspectable { static const Il2CppGuid IID; virtual il2cpp_hresult_t STDCALL IPropertyValue_get_Type_mB7A711F071E38F3BAEC1862D436AC4AC6DC07FAB(int32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_get_IsNumericScalar_m1C1F22011064BCF30C5B7E675AC389AF33EC8E5F(bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt8_m6E0FA81F823A7980FDBE76ECAFF20E57EB6666F6(uint8_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt16_m33B5D0C3CF38BC633A0085AE70DB332CCBE396DF(int16_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt16_mEE71D2389CCEFB98E952C00FB8D6BEC588335A57(uint16_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt32_m9D0D781ED2D0EFCFD725E9126184AB423EA45C2B(int32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt32_m9186A8BA0E36E15EF0AC2BA14D050DED85699C6E(uint32_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt64_mFBA4443B87A23C4162616CE67978E15CC32A158E(int64_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt64_m01C60E6EA36BD050254AEFE6AF99D1D4977CD15F(uint64_t* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetSingle_m7DA893EAE56B29828034B018B0844208FF80CCDD(float* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetDouble_m34EF323F40F8971CD414DFB38CB6719F071BC869(double* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetChar16_mA1539B0EDFFFD74BBCDB28C1FAC9487811D48386(Il2CppChar* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetBoolean_m0F0CE0E65CD9E983BCC7DBA628CF546547DAC005(bool* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetString_m03CC616B8EFD87A5023AB25FC20F934D2F09E169(Il2CppHString* comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetGuid_mE05F5B0248EA98B227F69B2E02D9B10A7B946FC2(Guid_t * comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetDateTime_m509277C336754537642EEC6D3A68750DDFABA56E(DateTime_t9D0F9E236B6200FF6413DD837230D25E285E7795 * comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetTimeSpan_mE29774C717C9B4EC735C20A8CED6796CDF4E91E5(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetPoint_m9E32A5CC948BB3572CD3FF6CA2F5B78F26596E73(Point_t7C3010F37F6E9DB2B792BBDAFF58C3232A3356AC * comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetSize_m7212C32E319B8F552ED909C1287C6786B706A659(Size_tBE9F75FCA10276DC3998237A8906733B64FB75A2 * comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetRect_mFB23B562FCD514351684F706405000203ADFD829(Rect_tD277A11EF3F3CC633796B8FF0BC4822826E72BB0 * comReturnValue) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt8Array_m7348AAFD3D46CD731DD94146E5E60CFBD1F10553(uint32_t* ___value0ArraySize, uint8_t** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt16Array_m9E714AF77215627B9C8119AF3FA6508C50D206FE(uint32_t* ___value0ArraySize, int16_t** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt16Array_m4D5B5FB0A7FC0A22E80141B159783C2A0B0FBD0B(uint32_t* ___value0ArraySize, uint16_t** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt32Array_m799E55885F6A13610A5051F1C2917A0234B9AC03(uint32_t* ___value0ArraySize, int32_t** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt32Array_m335BBA978CD7ACD928B58B3D525C68E2B4DE99FF(uint32_t* ___value0ArraySize, uint32_t** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt64Array_m2A3152938A9BBA08D7357BC63F400F8C4FD7C76B(uint32_t* ___value0ArraySize, int64_t** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt64Array_m9B9E15BA794B247E403386503A1F31881DA86BF7(uint32_t* ___value0ArraySize, uint64_t** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetSingleArray_m641609788D53A6254B05EC12B73EC7BACB56D33F(uint32_t* ___value0ArraySize, float** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetDoubleArray_m796ECF392FE47A8F5AF69F16B1B6694666B13D6B(uint32_t* ___value0ArraySize, double** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetChar16Array_mA72D84594CACE711C869C39FC47BCE332FC8A618(uint32_t* ___value0ArraySize, Il2CppChar** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetBooleanArray_m32F829C6CA7AE67D42E0D58D9AB28A14AF056517(uint32_t* ___value0ArraySize, bool** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetStringArray_mC5D40C9E740A5FB497BDB39B81487A5DDB3129B6(uint32_t* ___value0ArraySize, Il2CppHString** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInspectableArray_m259D5ED0D3880F47B2AE4C4AC1AA310FAC2662D3(uint32_t* ___value0ArraySize, Il2CppIInspectable*** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetGuidArray_m0147631B0DD882717A53BA395C30E070B164BBF6(uint32_t* ___value0ArraySize, Guid_t ** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetDateTimeArray_m6034A0D68EC7E2BD093A76C45BC15F8A2C4A9399(uint32_t* ___value0ArraySize, DateTime_t9D0F9E236B6200FF6413DD837230D25E285E7795 ** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetTimeSpanArray_m9DA46A07FE5FDC63435A13AB6D0ED4BFC27D6937(uint32_t* ___value0ArraySize, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetPointArray_mAA9D45EF50AD3D78B725BD20460FFE87205C4DB3(uint32_t* ___value0ArraySize, Point_t7C3010F37F6E9DB2B792BBDAFF58C3232A3356AC ** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetSizeArray_m82A3EF5E089F7CD94188D15910F78F8DD7445FFB(uint32_t* ___value0ArraySize, Size_tBE9F75FCA10276DC3998237A8906733B64FB75A2 ** ___value0) = 0; virtual il2cpp_hresult_t STDCALL IPropertyValue_GetRectArray_m6D1A32BFF9FA7E6C3DBB9200322BDE50CF1196F3(uint32_t* ___value0ArraySize, Rect_tD277A11EF3F3CC633796B8FF0BC4822826E72BB0 ** ___value0) = 0; }; // System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo struct WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00 : public RuntimeObject { public: // System.Int32 System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::objectInfoId int32_t ___objectInfoId_0; // System.Object System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::obj RuntimeObject * ___obj_1; // System.Type System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::objectType Type_t * ___objectType_2; // System.Boolean System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::isSi bool ___isSi_3; // System.Boolean System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::isNamed bool ___isNamed_4; // System.Boolean System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::isTyped bool ___isTyped_5; // System.Boolean System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::isArray bool ___isArray_6; // System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::si SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___si_7; // System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::cache SerObjectInfoCache_t32BC33838021C390DC94B45E12F87B2E6BC38B62 * ___cache_8; // System.Object[] System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::memberData ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___memberData_9; // System.Runtime.Serialization.ISerializationSurrogate System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::serializationSurrogate RuntimeObject* ___serializationSurrogate_10; // System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::context StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context_11; // System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::serObjectInfoInit SerObjectInfoInit_tD7277DACBD8DA9334482500C1ECE6574FA6CFCF2 * ___serObjectInfoInit_12; // System.Int64 System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::objectId int64_t ___objectId_13; // System.Int64 System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::assemId int64_t ___assemId_14; // System.String System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::binderTypeName String_t* ___binderTypeName_15; // System.String System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::binderAssemblyString String_t* ___binderAssemblyString_16; public: inline static int32_t get_offset_of_objectInfoId_0() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___objectInfoId_0)); } inline int32_t get_objectInfoId_0() const { return ___objectInfoId_0; } inline int32_t* get_address_of_objectInfoId_0() { return &___objectInfoId_0; } inline void set_objectInfoId_0(int32_t value) { ___objectInfoId_0 = value; } inline static int32_t get_offset_of_obj_1() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___obj_1)); } inline RuntimeObject * get_obj_1() const { return ___obj_1; } inline RuntimeObject ** get_address_of_obj_1() { return &___obj_1; } inline void set_obj_1(RuntimeObject * value) { ___obj_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___obj_1), (void*)value); } inline static int32_t get_offset_of_objectType_2() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___objectType_2)); } inline Type_t * get_objectType_2() const { return ___objectType_2; } inline Type_t ** get_address_of_objectType_2() { return &___objectType_2; } inline void set_objectType_2(Type_t * value) { ___objectType_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___objectType_2), (void*)value); } inline static int32_t get_offset_of_isSi_3() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___isSi_3)); } inline bool get_isSi_3() const { return ___isSi_3; } inline bool* get_address_of_isSi_3() { return &___isSi_3; } inline void set_isSi_3(bool value) { ___isSi_3 = value; } inline static int32_t get_offset_of_isNamed_4() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___isNamed_4)); } inline bool get_isNamed_4() const { return ___isNamed_4; } inline bool* get_address_of_isNamed_4() { return &___isNamed_4; } inline void set_isNamed_4(bool value) { ___isNamed_4 = value; } inline static int32_t get_offset_of_isTyped_5() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___isTyped_5)); } inline bool get_isTyped_5() const { return ___isTyped_5; } inline bool* get_address_of_isTyped_5() { return &___isTyped_5; } inline void set_isTyped_5(bool value) { ___isTyped_5 = value; } inline static int32_t get_offset_of_isArray_6() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___isArray_6)); } inline bool get_isArray_6() const { return ___isArray_6; } inline bool* get_address_of_isArray_6() { return &___isArray_6; } inline void set_isArray_6(bool value) { ___isArray_6 = value; } inline static int32_t get_offset_of_si_7() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___si_7)); } inline SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * get_si_7() const { return ___si_7; } inline SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 ** get_address_of_si_7() { return &___si_7; } inline void set_si_7(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * value) { ___si_7 = value; Il2CppCodeGenWriteBarrier((void**)(&___si_7), (void*)value); } inline static int32_t get_offset_of_cache_8() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___cache_8)); } inline SerObjectInfoCache_t32BC33838021C390DC94B45E12F87B2E6BC38B62 * get_cache_8() const { return ___cache_8; } inline SerObjectInfoCache_t32BC33838021C390DC94B45E12F87B2E6BC38B62 ** get_address_of_cache_8() { return &___cache_8; } inline void set_cache_8(SerObjectInfoCache_t32BC33838021C390DC94B45E12F87B2E6BC38B62 * value) { ___cache_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___cache_8), (void*)value); } inline static int32_t get_offset_of_memberData_9() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___memberData_9)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get_memberData_9() const { return ___memberData_9; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of_memberData_9() { return &___memberData_9; } inline void set_memberData_9(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ___memberData_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___memberData_9), (void*)value); } inline static int32_t get_offset_of_serializationSurrogate_10() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___serializationSurrogate_10)); } inline RuntimeObject* get_serializationSurrogate_10() const { return ___serializationSurrogate_10; } inline RuntimeObject** get_address_of_serializationSurrogate_10() { return &___serializationSurrogate_10; } inline void set_serializationSurrogate_10(RuntimeObject* value) { ___serializationSurrogate_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___serializationSurrogate_10), (void*)value); } inline static int32_t get_offset_of_context_11() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___context_11)); } inline StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 get_context_11() const { return ___context_11; } inline StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 * get_address_of_context_11() { return &___context_11; } inline void set_context_11(StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 value) { ___context_11 = value; Il2CppCodeGenWriteBarrier((void**)&(((&___context_11))->___m_additionalContext_0), (void*)NULL); } inline static int32_t get_offset_of_serObjectInfoInit_12() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___serObjectInfoInit_12)); } inline SerObjectInfoInit_tD7277DACBD8DA9334482500C1ECE6574FA6CFCF2 * get_serObjectInfoInit_12() const { return ___serObjectInfoInit_12; } inline SerObjectInfoInit_tD7277DACBD8DA9334482500C1ECE6574FA6CFCF2 ** get_address_of_serObjectInfoInit_12() { return &___serObjectInfoInit_12; } inline void set_serObjectInfoInit_12(SerObjectInfoInit_tD7277DACBD8DA9334482500C1ECE6574FA6CFCF2 * value) { ___serObjectInfoInit_12 = value; Il2CppCodeGenWriteBarrier((void**)(&___serObjectInfoInit_12), (void*)value); } inline static int32_t get_offset_of_objectId_13() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___objectId_13)); } inline int64_t get_objectId_13() const { return ___objectId_13; } inline int64_t* get_address_of_objectId_13() { return &___objectId_13; } inline void set_objectId_13(int64_t value) { ___objectId_13 = value; } inline static int32_t get_offset_of_assemId_14() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___assemId_14)); } inline int64_t get_assemId_14() const { return ___assemId_14; } inline int64_t* get_address_of_assemId_14() { return &___assemId_14; } inline void set_assemId_14(int64_t value) { ___assemId_14 = value; } inline static int32_t get_offset_of_binderTypeName_15() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___binderTypeName_15)); } inline String_t* get_binderTypeName_15() const { return ___binderTypeName_15; } inline String_t** get_address_of_binderTypeName_15() { return &___binderTypeName_15; } inline void set_binderTypeName_15(String_t* value) { ___binderTypeName_15 = value; Il2CppCodeGenWriteBarrier((void**)(&___binderTypeName_15), (void*)value); } inline static int32_t get_offset_of_binderAssemblyString_16() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00, ___binderAssemblyString_16)); } inline String_t* get_binderAssemblyString_16() const { return ___binderAssemblyString_16; } inline String_t** get_address_of_binderAssemblyString_16() { return &___binderAssemblyString_16; } inline void set_binderAssemblyString_16(String_t* value) { ___binderAssemblyString_16 = value; Il2CppCodeGenWriteBarrier((void**)(&___binderAssemblyString_16), (void*)value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // System.Collections.Generic.KeyValuePair`2<System.Type,System.Runtime.Serialization.Formatters.Binary.TypeInformation>[] struct KeyValuePair_2U5BU5D_t0769A388FE536964551A011DC2B45DE7E302E0DE : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_tDAD65FD247EA1F457EDB8C66C891BE3A548F82CC m_Items[1]; public: inline KeyValuePair_2_tDAD65FD247EA1F457EDB8C66C891BE3A548F82CC GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_tDAD65FD247EA1F457EDB8C66C891BE3A548F82CC * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_tDAD65FD247EA1F457EDB8C66C891BE3A548F82CC value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } inline KeyValuePair_2_tDAD65FD247EA1F457EDB8C66C891BE3A548F82CC GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_tDAD65FD247EA1F457EDB8C66C891BE3A548F82CC * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_tDAD65FD247EA1F457EDB8C66C891BE3A548F82CC value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } }; // System.Runtime.Remoting.Messaging.Header[] struct HeaderU5BU5D_t5EDB44F2B731039304163091DF818493DBB049AC : public RuntimeArray { public: ALIGN_FIELD (8) Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C * m_Items[1]; public: inline Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Header_tBB05146C08BE55AC72B8813E862DA50FDFB2417C * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo[] struct WriteObjectInfoU5BU5D_tBD618A460F27662FB362B41BF436235197E00EB9 : public RuntimeArray { public: ALIGN_FIELD (8) WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00 * m_Items[1]; public: inline WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, WriteObjectInfo_t5E240CBDF05476ED57BE42BD31E19334836CCA00 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.String,System.Object>[] struct NodeU5BU5D_t3EF9AE2F2694F03040F5BFB8940E32AD000961F1 : public RuntimeArray { public: ALIGN_FIELD (8) Node_t207F64C66D20F5A709A23309B0E340382B383BA7 * m_Items[1]; public: inline Node_t207F64C66D20F5A709A23309B0E340382B383BA7 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Node_t207F64C66D20F5A709A23309B0E340382B383BA7 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Node_t207F64C66D20F5A709A23309B0E340382B383BA7 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Node_t207F64C66D20F5A709A23309B0E340382B383BA7 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Node_t207F64C66D20F5A709A23309B0E340382B383BA7 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Node_t207F64C66D20F5A709A23309B0E340382B383BA7 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Runtime.Remoting.Contexts.IContextAttribute[] struct IContextAttributeU5BU5D_t5EA1C2D7C749430972D5C6B06043A6FF554E2E0C : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeObject* m_Items[1]; public: inline RuntimeObject* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeObject** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RuntimeObject* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeObject* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeObject** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Runtime.Remoting.Services.ITrackingHandler[] struct ITrackingHandlerU5BU5D_t660E4548BC8B5A92AC4A3FB21F6D161C6078253A : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeObject* m_Items[1]; public: inline RuntimeObject* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeObject** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RuntimeObject* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeObject* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeObject** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Runtime.Remoting.Contexts.IContextProperty[] struct IContextPropertyU5BU5D_tFBBEED74F171FF63A1A119A5035D80F21E3F19CB : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeObject* m_Items[1]; public: inline RuntimeObject* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeObject** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RuntimeObject* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeObject* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeObject** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken[] struct EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5 : public RuntimeArray { public: ALIGN_FIELD (8) EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 m_Items[1]; public: inline EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 value) { m_Items[index] = value; } }; // System.Byte[] struct ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821 : public RuntimeArray { public: ALIGN_FIELD (8) uint8_t m_Items[1]; public: inline uint8_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline uint8_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, uint8_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline uint8_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline uint8_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, uint8_t value) { m_Items[index] = value; } }; // System.Int16[] struct Int16U5BU5D_tDA0F0B2730337F72E44DB024BE9818FA8EDE8D28 : public RuntimeArray { public: ALIGN_FIELD (8) int16_t m_Items[1]; public: inline int16_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline int16_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, int16_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline int16_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline int16_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, int16_t value) { m_Items[index] = value; } }; // System.UInt16[] struct UInt16U5BU5D_t2D4BB1F8C486FF4359FFA7E4A76A8708A684543E : public RuntimeArray { public: ALIGN_FIELD (8) uint16_t m_Items[1]; public: inline uint16_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline uint16_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, uint16_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline uint16_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline uint16_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, uint16_t value) { m_Items[index] = value; } }; // System.Int32[] struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83 : public RuntimeArray { public: ALIGN_FIELD (8) int32_t m_Items[1]; public: inline int32_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline int32_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, int32_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline int32_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline int32_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, int32_t value) { m_Items[index] = value; } }; // System.UInt32[] struct UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB : public RuntimeArray { public: ALIGN_FIELD (8) uint32_t m_Items[1]; public: inline uint32_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline uint32_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, uint32_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline uint32_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline uint32_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, uint32_t value) { m_Items[index] = value; } }; // System.Int64[] struct Int64U5BU5D_tE04A3DEF6AF1C852A43B98A24EFB715806B37F5F : public RuntimeArray { public: ALIGN_FIELD (8) int64_t m_Items[1]; public: inline int64_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline int64_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, int64_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline int64_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline int64_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, int64_t value) { m_Items[index] = value; } }; // System.UInt64[] struct UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4 : public RuntimeArray { public: ALIGN_FIELD (8) uint64_t m_Items[1]; public: inline uint64_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline uint64_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, uint64_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline uint64_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline uint64_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, uint64_t value) { m_Items[index] = value; } }; // System.Single[] struct SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5 : public RuntimeArray { public: ALIGN_FIELD (8) float m_Items[1]; public: inline float GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline float* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, float value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline float GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline float* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, float value) { m_Items[index] = value; } }; // System.Double[] struct DoubleU5BU5D_tF9383437DDA9EAC9F60627E9E6E2045CF7CB182D : public RuntimeArray { public: ALIGN_FIELD (8) double m_Items[1]; public: inline double GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline double* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, double value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline double GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline double* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, double value) { m_Items[index] = value; } }; // System.String[] struct StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E : public RuntimeArray { public: ALIGN_FIELD (8) String_t* m_Items[1]; public: inline String_t* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline String_t** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, String_t* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline String_t* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline String_t** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, String_t* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Guid[] struct GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF : public RuntimeArray { public: ALIGN_FIELD (8) Guid_t m_Items[1]; public: inline Guid_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Guid_t * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Guid_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline Guid_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Guid_t * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Guid_t value) { m_Items[index] = value; } }; // System.Collections.Generic.KeyValuePair`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>[] struct KeyValuePair_2U5BU5D_t874539E8F90CFCB10C2DEF898A71C27EDBDA880A : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_t9166121F7D0104D469E8B23CA0CC235A379281B3 m_Items[1]; public: inline KeyValuePair_2_t9166121F7D0104D469E8B23CA0CC235A379281B3 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_t9166121F7D0104D469E8B23CA0CC235A379281B3 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_t9166121F7D0104D469E8B23CA0CC235A379281B3 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_1))->___restTokens_1), (void*)NULL); #endif } inline KeyValuePair_2_t9166121F7D0104D469E8B23CA0CC235A379281B3 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_t9166121F7D0104D469E8B23CA0CC235A379281B3 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_t9166121F7D0104D469E8B23CA0CC235A379281B3 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_1))->___restTokens_1), (void*)NULL); #endif } }; // System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList[] struct EventRegistrationTokenListU5BU5D_t1EA0FC1ACA390085AA58BF7B5F9785AFC6E6B9DA : public RuntimeArray { public: ALIGN_FIELD (8) EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A m_Items[1]; public: inline EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___restTokens_1), (void*)NULL); } inline EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, EventRegistrationTokenList_t0154EA1C87B64FAF2E8FABFAB1398B021FE4E08A value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___restTokens_1), (void*)NULL); } }; // System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>[] struct EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE : public RuntimeArray { public: ALIGN_FIELD (8) Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF m_Items[1]; public: inline Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_3))->___restTokens_1), (void*)NULL); #endif } inline Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Entry_t6C60854618AC115A9E98AA3EBDA3A9EF2386A0DF value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_3))->___restTokens_1), (void*)NULL); #endif } }; // System.Collections.Generic.Dictionary`2_Entry<System.Reflection.MethodInfo,System.Collections.Generic.Dictionary`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>>[] struct EntryU5BU5D_t192B2E0E317C48C054DE7FA9815563A00A965868 : public RuntimeArray { public: ALIGN_FIELD (8) Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525 m_Items[1]; public: inline Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); #endif } inline Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Entry_t4C5F140D8D890E2231CC00EC2F6297B8B7BA1525 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); #endif } }; // System.Collections.Generic.Dictionary`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>[] struct Dictionary_2U5BU5D_tD3309DB65D0F07B7A2F94263B5CD68565F2FAD57 : public RuntimeArray { public: ALIGN_FIELD (8) Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 * m_Items[1]; public: inline Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Dictionary_2_t5590016F17A343AC0EDA10345C4341E405C4E215 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.IDictionary[] struct IDictionaryU5BU5D_t748B6A2E31F1F1AA03A176863C763924A5F4F72D : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeObject* m_Items[1]; public: inline RuntimeObject* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeObject** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RuntimeObject* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeObject* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeObject** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.Reflection.MethodInfo,System.Collections.Generic.Dictionary`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>>[] struct KeyValuePair_2U5BU5D_tF0FB359B2C5A4EE870CEE05564EAD5BA77A4EABA : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_tFC794823BFD7244C20B2F0E08CAD6F17FBA00B35 m_Items[1]; public: inline KeyValuePair_2_tFC794823BFD7244C20B2F0E08CAD6F17FBA00B35 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_tFC794823BFD7244C20B2F0E08CAD6F17FBA00B35 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_tFC794823BFD7244C20B2F0E08CAD6F17FBA00B35 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } inline KeyValuePair_2_tFC794823BFD7244C20B2F0E08CAD6F17FBA00B35 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_tFC794823BFD7244C20B2F0E08CAD6F17FBA00B35 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_tFC794823BFD7244C20B2F0E08CAD6F17FBA00B35 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } }; // System.Collections.Generic.KeyValuePair`2<System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheKey,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheEntry>[] struct KeyValuePair_2U5BU5D_t4513DEBBCAD0B554A63F23BAC781585139930E6F : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_t92BE7B4140821DBA942F4ECA4925CC7B7494EC46 m_Items[1]; public: inline KeyValuePair_2_t92BE7B4140821DBA942F4ECA4925CC7B7494EC46 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_t92BE7B4140821DBA942F4ECA4925CC7B7494EC46 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_t92BE7B4140821DBA942F4ECA4925CC7B7494EC46 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___key_0))->___target_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___key_0))->___method_1), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_1))->___registrationTable_0), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_1))->___tokenListCount_1), (void*)NULL); #endif } inline KeyValuePair_2_t92BE7B4140821DBA942F4ECA4925CC7B7494EC46 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_t92BE7B4140821DBA942F4ECA4925CC7B7494EC46 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_t92BE7B4140821DBA942F4ECA4925CC7B7494EC46 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___key_0))->___target_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___key_0))->___method_1), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_1))->___registrationTable_0), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_1))->___tokenListCount_1), (void*)NULL); #endif } }; // System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheKey[] struct EventCacheKeyU5BU5D_tCF6AAC58B44EE3AFAA3A7E0067CB3054F4780917 : public RuntimeArray { public: ALIGN_FIELD (8) EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A m_Items[1]; public: inline EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___target_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___method_1), (void*)NULL); #endif } inline EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, EventCacheKey_t049C851B67DA89C466CF3B568E2BB3C3BE7C854A value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___target_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___method_1), (void*)NULL); #endif } }; // System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheEntry[] struct EventCacheEntryU5BU5D_t0BB379F5197C121A563B0B1157E20269DCD426F0 : public RuntimeArray { public: ALIGN_FIELD (8) EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 m_Items[1]; public: inline EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___registrationTable_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___tokenListCount_1), (void*)NULL); #endif } inline EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, EventCacheEntry_tAF077295F4A679ADA9C1442FCD4110C841FE47E6 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___registrationTable_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___tokenListCount_1), (void*)NULL); #endif } }; // System.Collections.Generic.Dictionary`2_Entry<System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheKey,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheEntry>[] struct EntryU5BU5D_tAC5BED8A08F53471095667772D19D235316BBD3E : public RuntimeArray { public: ALIGN_FIELD (8) Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E m_Items[1]; public: inline Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___key_2))->___target_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___key_2))->___method_1), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_3))->___registrationTable_0), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_3))->___tokenListCount_1), (void*)NULL); #endif } inline Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Entry_t9DC6733782668F2DBED2EA3EE0BBEE23B29D671E value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___key_2))->___target_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___key_2))->___method_1), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_3))->___registrationTable_0), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((&((m_Items + index)->___value_3))->___tokenListCount_1), (void*)NULL); #endif } }; // System.Collections.Hashtable_bucket[] struct bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A : public RuntimeArray { public: ALIGN_FIELD (8) bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 m_Items[1]; public: inline bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___val_1), (void*)NULL); #endif } inline bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___val_1), (void*)NULL); #endif } }; // System.Collections.KeyValuePairs[] struct KeyValuePairsU5BU5D_tF17967313356B9717F99870B41620E8D73106290 : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePairs_t58C6D38D4557E04680306FEFA05058B43E879D29 * m_Items[1]; public: inline KeyValuePairs_t58C6D38D4557E04680306FEFA05058B43E879D29 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePairs_t58C6D38D4557E04680306FEFA05058B43E879D29 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePairs_t58C6D38D4557E04680306FEFA05058B43E879D29 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline KeyValuePairs_t58C6D38D4557E04680306FEFA05058B43E879D29 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePairs_t58C6D38D4557E04680306FEFA05058B43E879D29 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePairs_t58C6D38D4557E04680306FEFA05058B43E879D29 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Concurrent.ConcurrentQueue`1_Segment_Slot<System.Object>[] struct SlotU5BU5D_t939FE2327F0FD4530A5F6F280EAA0C0EB290C652 : public RuntimeArray { public: ALIGN_FIELD (8) Slot_tE8763ECEB14557B38DAD4F3F6AE10D98DAD15ED5 m_Items[1]; public: inline Slot_tE8763ECEB14557B38DAD4F3F6AE10D98DAD15ED5 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Slot_tE8763ECEB14557B38DAD4F3F6AE10D98DAD15ED5 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Slot_tE8763ECEB14557B38DAD4F3F6AE10D98DAD15ED5 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___Item_0), (void*)NULL); } inline Slot_tE8763ECEB14557B38DAD4F3F6AE10D98DAD15ED5 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Slot_tE8763ECEB14557B38DAD4F3F6AE10D98DAD15ED5 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Slot_tE8763ECEB14557B38DAD4F3F6AE10D98DAD15ED5 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___Item_0), (void*)NULL); } }; // System.Diagnostics.StackFrame[] struct StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D : public RuntimeArray { public: ALIGN_FIELD (8) StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 * m_Items[1]; public: inline StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, StackFrame_tD06959DD2B585E9BEB73C60AB5C110DE69F23A00 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAnalysis[] struct PropertyAnalysisU5BU5D_t09688E0B42BB5496A80C66F12C2550CA072E2FFB : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A * m_Items[1]; public: inline PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAnalysis_t3DC0F773245CD968BED647345E53535D422CF46A * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Object>[] struct PropertyAccessor_1U5BU5D_tF41489193DEABF7A3791FA30E9420AD5C8F88116 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t4623C9CF588D34C72BB23E9B4AEB4181427660BA * m_Items[1]; public: inline PropertyAccessor_1_t4623C9CF588D34C72BB23E9B4AEB4181427660BA * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t4623C9CF588D34C72BB23E9B4AEB4181427660BA ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t4623C9CF588D34C72BB23E9B4AEB4181427660BA * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t4623C9CF588D34C72BB23E9B4AEB4181427660BA * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t4623C9CF588D34C72BB23E9B4AEB4181427660BA ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t4623C9CF588D34C72BB23E9B4AEB4181427660BA * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Int64>[] struct PropertyAccessor_1U5BU5D_t2D7AD1CC69AD124C7213EAB3CBAE90092547AFB8 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t642E402A4B28B9F284B4E63513358E6F5A504881 * m_Items[1]; public: inline PropertyAccessor_1_t642E402A4B28B9F284B4E63513358E6F5A504881 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t642E402A4B28B9F284B4E63513358E6F5A504881 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t642E402A4B28B9F284B4E63513358E6F5A504881 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t642E402A4B28B9F284B4E63513358E6F5A504881 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t642E402A4B28B9F284B4E63513358E6F5A504881 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t642E402A4B28B9F284B4E63513358E6F5A504881 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Int32>[] struct PropertyAccessor_1U5BU5D_tA1A5D851306F095D5FDBD238CE7780077DBE483E : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t68CDB63C5FD6B75A1A3D4FCDBA62D41AE2DF5E2D * m_Items[1]; public: inline PropertyAccessor_1_t68CDB63C5FD6B75A1A3D4FCDBA62D41AE2DF5E2D * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t68CDB63C5FD6B75A1A3D4FCDBA62D41AE2DF5E2D ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t68CDB63C5FD6B75A1A3D4FCDBA62D41AE2DF5E2D * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t68CDB63C5FD6B75A1A3D4FCDBA62D41AE2DF5E2D * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t68CDB63C5FD6B75A1A3D4FCDBA62D41AE2DF5E2D ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t68CDB63C5FD6B75A1A3D4FCDBA62D41AE2DF5E2D * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Diagnostics.Tracing.EmptyStruct>[] struct PropertyAccessor_1U5BU5D_tC6A49FE868920EA1C574DFC56800A4C2447E6B33 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t8A286BF41EC06652684F1E1D77BADAB779606FEE * m_Items[1]; public: inline PropertyAccessor_1_t8A286BF41EC06652684F1E1D77BADAB779606FEE * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t8A286BF41EC06652684F1E1D77BADAB779606FEE ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t8A286BF41EC06652684F1E1D77BADAB779606FEE * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t8A286BF41EC06652684F1E1D77BADAB779606FEE * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t8A286BF41EC06652684F1E1D77BADAB779606FEE ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t8A286BF41EC06652684F1E1D77BADAB779606FEE * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Boolean>[] struct PropertyAccessor_1U5BU5D_t0344EA271D17E33B12F63AA0E4D7081F7FD8E1AE : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t91515814B13611840CA3A9B303F42E8D101BC8C6 * m_Items[1]; public: inline PropertyAccessor_1_t91515814B13611840CA3A9B303F42E8D101BC8C6 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t91515814B13611840CA3A9B303F42E8D101BC8C6 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t91515814B13611840CA3A9B303F42E8D101BC8C6 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t91515814B13611840CA3A9B303F42E8D101BC8C6 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t91515814B13611840CA3A9B303F42E8D101BC8C6 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t91515814B13611840CA3A9B303F42E8D101BC8C6 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Byte>[] struct PropertyAccessor_1U5BU5D_t195F0F36811F05C10CA87BAA1D4FC062F8A2350E : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t76A09AC467B136CF5EC6B6B87B61C890FA304251 * m_Items[1]; public: inline PropertyAccessor_1_t76A09AC467B136CF5EC6B6B87B61C890FA304251 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t76A09AC467B136CF5EC6B6B87B61C890FA304251 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t76A09AC467B136CF5EC6B6B87B61C890FA304251 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t76A09AC467B136CF5EC6B6B87B61C890FA304251 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t76A09AC467B136CF5EC6B6B87B61C890FA304251 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t76A09AC467B136CF5EC6B6B87B61C890FA304251 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.SByte>[] struct PropertyAccessor_1U5BU5D_t85430067C5DB497B78E50EC645FA7AC26A6E9D15 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_tDEC48EB6D455BDA2D94EE7334E5F69E5D0E1BF95 * m_Items[1]; public: inline PropertyAccessor_1_tDEC48EB6D455BDA2D94EE7334E5F69E5D0E1BF95 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_tDEC48EB6D455BDA2D94EE7334E5F69E5D0E1BF95 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_tDEC48EB6D455BDA2D94EE7334E5F69E5D0E1BF95 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_tDEC48EB6D455BDA2D94EE7334E5F69E5D0E1BF95 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_tDEC48EB6D455BDA2D94EE7334E5F69E5D0E1BF95 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_tDEC48EB6D455BDA2D94EE7334E5F69E5D0E1BF95 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Int16>[] struct PropertyAccessor_1U5BU5D_t3DECFBC719A5C5BB4DB90E007C7A23EDFDCE6FEA : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t9BEEEE2DB5F3A5DAA08BD401E4916672670F1167 * m_Items[1]; public: inline PropertyAccessor_1_t9BEEEE2DB5F3A5DAA08BD401E4916672670F1167 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t9BEEEE2DB5F3A5DAA08BD401E4916672670F1167 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t9BEEEE2DB5F3A5DAA08BD401E4916672670F1167 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t9BEEEE2DB5F3A5DAA08BD401E4916672670F1167 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t9BEEEE2DB5F3A5DAA08BD401E4916672670F1167 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t9BEEEE2DB5F3A5DAA08BD401E4916672670F1167 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt16>[] struct PropertyAccessor_1U5BU5D_t3FF9EB537E7BA2BF324F46D2E1C584FAE5E7D96F : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t28FD3DDC00466E807B268B437BFB1BE0B7DA5C24 * m_Items[1]; public: inline PropertyAccessor_1_t28FD3DDC00466E807B268B437BFB1BE0B7DA5C24 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t28FD3DDC00466E807B268B437BFB1BE0B7DA5C24 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t28FD3DDC00466E807B268B437BFB1BE0B7DA5C24 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t28FD3DDC00466E807B268B437BFB1BE0B7DA5C24 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t28FD3DDC00466E807B268B437BFB1BE0B7DA5C24 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t28FD3DDC00466E807B268B437BFB1BE0B7DA5C24 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt32>[] struct PropertyAccessor_1U5BU5D_tF57AE5C1C779C05869943B1C16C894A2836E9C24 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_tFAF42CF36FE9C4F2D3B9D95A6981320A0A37252E * m_Items[1]; public: inline PropertyAccessor_1_tFAF42CF36FE9C4F2D3B9D95A6981320A0A37252E * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_tFAF42CF36FE9C4F2D3B9D95A6981320A0A37252E ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_tFAF42CF36FE9C4F2D3B9D95A6981320A0A37252E * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_tFAF42CF36FE9C4F2D3B9D95A6981320A0A37252E * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_tFAF42CF36FE9C4F2D3B9D95A6981320A0A37252E ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_tFAF42CF36FE9C4F2D3B9D95A6981320A0A37252E * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt64>[] struct PropertyAccessor_1U5BU5D_tEA8F518DB9B112A0A17907C845D7710346E62001 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t73256E05645ED710D9E64D5986EEEA9BD553D1DF * m_Items[1]; public: inline PropertyAccessor_1_t73256E05645ED710D9E64D5986EEEA9BD553D1DF * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t73256E05645ED710D9E64D5986EEEA9BD553D1DF ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t73256E05645ED710D9E64D5986EEEA9BD553D1DF * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t73256E05645ED710D9E64D5986EEEA9BD553D1DF * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t73256E05645ED710D9E64D5986EEEA9BD553D1DF ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t73256E05645ED710D9E64D5986EEEA9BD553D1DF * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.IntPtr>[] struct PropertyAccessor_1U5BU5D_t3C8C0961507B88D67EA2C49E216118B14501313A : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t0163EA39898F99A880934A940D8B6B67ABE29837 * m_Items[1]; public: inline PropertyAccessor_1_t0163EA39898F99A880934A940D8B6B67ABE29837 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t0163EA39898F99A880934A940D8B6B67ABE29837 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t0163EA39898F99A880934A940D8B6B67ABE29837 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t0163EA39898F99A880934A940D8B6B67ABE29837 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t0163EA39898F99A880934A940D8B6B67ABE29837 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t0163EA39898F99A880934A940D8B6B67ABE29837 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.UIntPtr>[] struct PropertyAccessor_1U5BU5D_t77A35E35098D46F12371B5D926D9EAB7513E01A3 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t970F8509053D180DF6A09C1D17C08EEC61DF40EF * m_Items[1]; public: inline PropertyAccessor_1_t970F8509053D180DF6A09C1D17C08EEC61DF40EF * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t970F8509053D180DF6A09C1D17C08EEC61DF40EF ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t970F8509053D180DF6A09C1D17C08EEC61DF40EF * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t970F8509053D180DF6A09C1D17C08EEC61DF40EF * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t970F8509053D180DF6A09C1D17C08EEC61DF40EF ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t970F8509053D180DF6A09C1D17C08EEC61DF40EF * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Double>[] struct PropertyAccessor_1U5BU5D_t603AE210B47C7E236734AD3F81CCFDC00F7A13B3 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t06EAC9A5AD164B3E7CC1E4CF630AB7D7644B89CC * m_Items[1]; public: inline PropertyAccessor_1_t06EAC9A5AD164B3E7CC1E4CF630AB7D7644B89CC * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t06EAC9A5AD164B3E7CC1E4CF630AB7D7644B89CC ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t06EAC9A5AD164B3E7CC1E4CF630AB7D7644B89CC * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t06EAC9A5AD164B3E7CC1E4CF630AB7D7644B89CC * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t06EAC9A5AD164B3E7CC1E4CF630AB7D7644B89CC ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t06EAC9A5AD164B3E7CC1E4CF630AB7D7644B89CC * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Single>[] struct PropertyAccessor_1U5BU5D_t8BA926E8A82DD6E154771C0BE784F443F0002613 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t54DE0AFAD9E346649DB941CEFFE1C8099FDAC153 * m_Items[1]; public: inline PropertyAccessor_1_t54DE0AFAD9E346649DB941CEFFE1C8099FDAC153 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t54DE0AFAD9E346649DB941CEFFE1C8099FDAC153 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t54DE0AFAD9E346649DB941CEFFE1C8099FDAC153 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t54DE0AFAD9E346649DB941CEFFE1C8099FDAC153 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t54DE0AFAD9E346649DB941CEFFE1C8099FDAC153 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t54DE0AFAD9E346649DB941CEFFE1C8099FDAC153 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Char>[] struct PropertyAccessor_1U5BU5D_tCA834308E5FFC40F4B1F58F3C3C4852E97DD8E71 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t77FF65729F94D1F6289B531CF4D518A174AF2D1A * m_Items[1]; public: inline PropertyAccessor_1_t77FF65729F94D1F6289B531CF4D518A174AF2D1A * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t77FF65729F94D1F6289B531CF4D518A174AF2D1A ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t77FF65729F94D1F6289B531CF4D518A174AF2D1A * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t77FF65729F94D1F6289B531CF4D518A174AF2D1A * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t77FF65729F94D1F6289B531CF4D518A174AF2D1A ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t77FF65729F94D1F6289B531CF4D518A174AF2D1A * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.UIntPtr[] struct UIntPtrU5BU5D_tD5404ABA0AA72923421D3F931F031EEEC654429E : public RuntimeArray { public: ALIGN_FIELD (8) uintptr_t m_Items[1]; public: inline uintptr_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline uintptr_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, uintptr_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline uintptr_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline uintptr_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, uintptr_t value) { m_Items[index] = value; } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Guid>[] struct PropertyAccessor_1U5BU5D_tF6C2CAAFC925A4E800505C243936B2AFDE44CD78 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t0EA164D1C4097ED8235B4854F131FF29F743C19C * m_Items[1]; public: inline PropertyAccessor_1_t0EA164D1C4097ED8235B4854F131FF29F743C19C * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t0EA164D1C4097ED8235B4854F131FF29F743C19C ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t0EA164D1C4097ED8235B4854F131FF29F743C19C * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t0EA164D1C4097ED8235B4854F131FF29F743C19C * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t0EA164D1C4097ED8235B4854F131FF29F743C19C ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t0EA164D1C4097ED8235B4854F131FF29F743C19C * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.DateTime>[] struct PropertyAccessor_1U5BU5D_t8DDBD16FE77A50AFA9DFB22D845C7A0CB7451AD8 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_tE2902A5668A92CA5B639D08AB01C3139DF026E1A * m_Items[1]; public: inline PropertyAccessor_1_tE2902A5668A92CA5B639D08AB01C3139DF026E1A * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_tE2902A5668A92CA5B639D08AB01C3139DF026E1A ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_tE2902A5668A92CA5B639D08AB01C3139DF026E1A * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_tE2902A5668A92CA5B639D08AB01C3139DF026E1A * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_tE2902A5668A92CA5B639D08AB01C3139DF026E1A ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_tE2902A5668A92CA5B639D08AB01C3139DF026E1A * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.DateTimeOffset>[] struct PropertyAccessor_1U5BU5D_tEE7E0DDEC0A7C0D66500B6148DC1D9F04A9D7955 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_tE5E98447AA74D36CBDA22BC11ECB6C81D8C4B124 * m_Items[1]; public: inline PropertyAccessor_1_tE5E98447AA74D36CBDA22BC11ECB6C81D8C4B124 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_tE5E98447AA74D36CBDA22BC11ECB6C81D8C4B124 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_tE5E98447AA74D36CBDA22BC11ECB6C81D8C4B124 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_tE5E98447AA74D36CBDA22BC11ECB6C81D8C4B124 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_tE5E98447AA74D36CBDA22BC11ECB6C81D8C4B124 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_tE5E98447AA74D36CBDA22BC11ECB6C81D8C4B124 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.TimeSpan>[] struct PropertyAccessor_1U5BU5D_tD1029E0A51A538E4B49A6CF1E1147534E60DCB56 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_tABB24E405A2F455A906285AE90A222340A188133 * m_Items[1]; public: inline PropertyAccessor_1_tABB24E405A2F455A906285AE90A222340A188133 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_tABB24E405A2F455A906285AE90A222340A188133 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_tABB24E405A2F455A906285AE90A222340A188133 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_tABB24E405A2F455A906285AE90A222340A188133 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_tABB24E405A2F455A906285AE90A222340A188133 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_tABB24E405A2F455A906285AE90A222340A188133 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Decimal>[] struct PropertyAccessor_1U5BU5D_t73DC8E006EAFFF49F58BED828074A72E9B95A6FC : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_t1E46E1E18774D1D4AFE1B94587A2BC07FCA64B10 * m_Items[1]; public: inline PropertyAccessor_1_t1E46E1E18774D1D4AFE1B94587A2BC07FCA64B10 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_t1E46E1E18774D1D4AFE1B94587A2BC07FCA64B10 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_t1E46E1E18774D1D4AFE1B94587A2BC07FCA64B10 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_t1E46E1E18774D1D4AFE1B94587A2BC07FCA64B10 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_t1E46E1E18774D1D4AFE1B94587A2BC07FCA64B10 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_t1E46E1E18774D1D4AFE1B94587A2BC07FCA64B10 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.PropertyAccessor`1<System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>>[] struct PropertyAccessor_1U5BU5D_tB736D31F533D493536F03E7A68604F14D22C5DE5 : public RuntimeArray { public: ALIGN_FIELD (8) PropertyAccessor_1_tB1AFBC61BA4EBFE324C03DBE1E464DB1F154D929 * m_Items[1]; public: inline PropertyAccessor_1_tB1AFBC61BA4EBFE324C03DBE1E464DB1F154D929 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyAccessor_1_tB1AFBC61BA4EBFE324C03DBE1E464DB1F154D929 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyAccessor_1_tB1AFBC61BA4EBFE324C03DBE1E464DB1F154D929 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyAccessor_1_tB1AFBC61BA4EBFE324C03DBE1E464DB1F154D929 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyAccessor_1_tB1AFBC61BA4EBFE324C03DBE1E464DB1F154D929 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyAccessor_1_tB1AFBC61BA4EBFE324C03DBE1E464DB1F154D929 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.EventSource_EventMetadata[] struct EventMetadataU5BU5D_tA6A4B1FE9D3A53D9941A4C63D95399E4594ABE94 : public RuntimeArray { public: ALIGN_FIELD (8) EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B m_Items[1]; public: inline EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___Name_6), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___Message_7), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___Parameters_8), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___TraceLoggingEventTypes_9), (void*)NULL); #endif } inline EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, EventMetadata_tDC146079349635A3A29F84F4655C39D480BBCF0B value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___Name_6), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___Message_7), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___Parameters_8), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___TraceLoggingEventTypes_9), (void*)NULL); #endif } }; // System.Diagnostics.Tracing.EtwSession[] struct EtwSessionU5BU5D_t8797EC7C4B69B091119AFD2A22F03049811748FA : public RuntimeArray { public: ALIGN_FIELD (8) EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D * m_Items[1]; public: inline EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, EtwSession_t9B05ABB436001F644F074E8D8587D00E03023E9D * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.TraceLoggingTypeInfo[] struct TraceLoggingTypeInfoU5BU5D_t1B6542B40A911FABF686F860C2F97C7E09FD08AC : public RuntimeArray { public: ALIGN_FIELD (8) TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F * m_Items[1]; public: inline TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, TraceLoggingTypeInfo_t20C551D7A794E567EA451C7C8E8BAA4F7E2E263F * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.WeakReference[] struct WeakReferenceU5BU5D_t1F1010FFAFED92D05022B7B2927DFA0E1F114648 : public RuntimeArray { public: ALIGN_FIELD (8) WeakReference_t0495CC81CD6403E662B7700B802443F6F730E39D * m_Items[1]; public: inline WeakReference_t0495CC81CD6403E662B7700B802443F6F730E39D * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline WeakReference_t0495CC81CD6403E662B7700B802443F6F730E39D ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, WeakReference_t0495CC81CD6403E662B7700B802443F6F730E39D * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline WeakReference_t0495CC81CD6403E662B7700B802443F6F730E39D * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline WeakReference_t0495CC81CD6403E662B7700B802443F6F730E39D ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, WeakReference_t0495CC81CD6403E662B7700B802443F6F730E39D * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Tuple`2<System.Int32,System.Int32>[] struct Tuple_2U5BU5D_tAF2E50753EFC1B403E3794EC8D085724169D6513 : public RuntimeArray { public: ALIGN_FIELD (8) Tuple_2_t28940D9AA109CFB8C1D8CAEDD0EAF70EAD2F7C63 * m_Items[1]; public: inline Tuple_2_t28940D9AA109CFB8C1D8CAEDD0EAF70EAD2F7C63 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Tuple_2_t28940D9AA109CFB8C1D8CAEDD0EAF70EAD2F7C63 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Tuple_2_t28940D9AA109CFB8C1D8CAEDD0EAF70EAD2F7C63 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Tuple_2_t28940D9AA109CFB8C1D8CAEDD0EAF70EAD2F7C63 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Tuple_2_t28940D9AA109CFB8C1D8CAEDD0EAF70EAD2F7C63 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Tuple_2_t28940D9AA109CFB8C1D8CAEDD0EAF70EAD2F7C63 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.ITupleInternal[] struct ITupleInternalU5BU5D_t8885514CCC735B76B6AC7402269CD7C35E9BC87D : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeObject* m_Items[1]; public: inline RuntimeObject* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeObject** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RuntimeObject* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeObject* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeObject** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.NameInfo[] struct NameInfoU5BU5D_t90BE93F86BB5CC5274C6ED53B8BB62D1E10A7EE7 : public RuntimeArray { public: ALIGN_FIELD (8) NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C * m_Items[1]; public: inline NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, NameInfo_t506A214E126C77BF344CC08864783DE4E5922D4C * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.ConcurrentSetItem`2<System.Collections.Generic.KeyValuePair`2<System.String,System.Diagnostics.Tracing.EventTags>,System.Diagnostics.Tracing.NameInfo>[] struct ConcurrentSetItem_2U5BU5D_tC278453C1AF702B8BFFE187E54373E016707501C : public RuntimeArray { public: ALIGN_FIELD (8) ConcurrentSetItem_2_tF75C8666AA6AE859719571013C6765518785D0DA * m_Items[1]; public: inline ConcurrentSetItem_2_tF75C8666AA6AE859719571013C6765518785D0DA * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline ConcurrentSetItem_2_tF75C8666AA6AE859719571013C6765518785D0DA ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, ConcurrentSetItem_2_tF75C8666AA6AE859719571013C6765518785D0DA * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline ConcurrentSetItem_2_tF75C8666AA6AE859719571013C6765518785D0DA * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline ConcurrentSetItem_2_tF75C8666AA6AE859719571013C6765518785D0DA ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, ConcurrentSetItem_2_tF75C8666AA6AE859719571013C6765518785D0DA * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.FieldMetadata[] struct FieldMetadataU5BU5D_tBDB9B5E46662C93C301E095F1DC2B0B1B8FE9796 : public RuntimeArray { public: ALIGN_FIELD (8) FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC * m_Items[1]; public: inline FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, FieldMetadata_tF8338AA83F53559A65AC62864F69CCC2FCAE24CC * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.EventProvider_SessionInfo[] struct SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906 : public RuntimeArray { public: ALIGN_FIELD (8) SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A m_Items[1]; public: inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A value) { m_Items[index] = value; } }; // System.Tuple`2<System.Diagnostics.Tracing.EventProvider_SessionInfo,System.Boolean>[] struct Tuple_2U5BU5D_t07F0E680B0947178F09CAF66896A10E34ACB3627 : public RuntimeArray { public: ALIGN_FIELD (8) Tuple_2_tFB909554E9029649923EA250C43FBDD4F4548252 * m_Items[1]; public: inline Tuple_2_tFB909554E9029649923EA250C43FBDD4F4548252 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Tuple_2_tFB909554E9029649923EA250C43FBDD4F4548252 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Tuple_2_tFB909554E9029649923EA250C43FBDD4F4548252 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Tuple_2_tFB909554E9029649923EA250C43FBDD4F4548252 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Tuple_2_tFB909554E9029649923EA250C43FBDD4F4548252 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Tuple_2_tFB909554E9029649923EA250C43FBDD4F4548252 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Runtime.InteropServices.GCHandle[] struct GCHandleU5BU5D_tA6EC6308F1B33AD5233BD26DE6FB431B6CEF1DB7 : public RuntimeArray { public: ALIGN_FIELD (8) GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 m_Items[1]; public: inline GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, GCHandle_t39FAEE3EA592432C93B574A31DD83B87F1847DE3 value) { m_Items[index] = value; } }; // System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>[] struct KeyValuePair_2U5BU5D_t7FAEDA541660EE14F76C26D48E51C98634127BF7 : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 m_Items[1]; public: inline KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 value) { m_Items[index] = value; } }; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.Guid,System.Int32>[] struct NodeU5BU5D_t76D94D749A2EF1CFE3BD38B8063295B1CC903733 : public RuntimeArray { public: ALIGN_FIELD (8) Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F * m_Items[1]; public: inline Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Node_t77A6F0EB959CA155FB6308CB5016D249B3C8531F * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>[] struct KeyValuePair_2U5BU5D_t920EB0A30DD5CE3BAAF02931D1ABDF93367AC84A : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 m_Items[1]; public: inline KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } inline KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } }; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.Guid,System.Object>[] struct NodeU5BU5D_tFD478954EB36F089D130F06A1108F9AF46C87B6F : public RuntimeArray { public: ALIGN_FIELD (8) Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 * m_Items[1]; public: inline Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Node_tC7016D8C5F386E7C0CF3B92E6512EFCD7442EA98 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.Guid,System.Tuple`2<System.Guid,System.Int32>>[] struct NodeU5BU5D_t0A6873D4FD52FBAEBDED2BBA80FC5EAFED7232DE : public RuntimeArray { public: ALIGN_FIELD (8) Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 * m_Items[1]; public: inline Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Node_tB6122E59E2D4E1166A428A91D507C20E203EE155 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.Guid,System.Tuple`2<System.Guid,System.Int32>>[] struct KeyValuePair_2U5BU5D_tD8A7C3828874A98B6D25D6C411D926CB67B649F5 : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_t11E5B5CE1E0667DC269097FDCE4D5CEAC45D277E m_Items[1]; public: inline KeyValuePair_2_t11E5B5CE1E0667DC269097FDCE4D5CEAC45D277E GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_t11E5B5CE1E0667DC269097FDCE4D5CEAC45D277E * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_t11E5B5CE1E0667DC269097FDCE4D5CEAC45D277E value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } inline KeyValuePair_2_t11E5B5CE1E0667DC269097FDCE4D5CEAC45D277E GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_t11E5B5CE1E0667DC269097FDCE4D5CEAC45D277E * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_t11E5B5CE1E0667DC269097FDCE4D5CEAC45D277E value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } }; // System.Tuple`2<System.Guid,System.Int32>[] struct Tuple_2U5BU5D_t4AC9A23B21F9BB1E165F546CBE1AF1FCD0BE27B1 : public RuntimeArray { public: ALIGN_FIELD (8) Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E * m_Items[1]; public: inline Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Tuple_2_t24BE91BA338C2678B7B104B30F6EB33015FF720E * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.WeakReference`1<System.Diagnostics.Tracing.EtwSession>[] struct WeakReference_1U5BU5D_tC2FFBB710D798A2B84E799DD3F89D27EA03519DF : public RuntimeArray { public: ALIGN_FIELD (8) WeakReference_1_t873076F0E617BCC31EB3C0C9D10324B896FB644C * m_Items[1]; public: inline WeakReference_1_t873076F0E617BCC31EB3C0C9D10324B896FB644C * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline WeakReference_1_t873076F0E617BCC31EB3C0C9D10324B896FB644C ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, WeakReference_1_t873076F0E617BCC31EB3C0C9D10324B896FB644C * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline WeakReference_1_t873076F0E617BCC31EB3C0C9D10324B896FB644C * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline WeakReference_1_t873076F0E617BCC31EB3C0C9D10324B896FB644C ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, WeakReference_1_t873076F0E617BCC31EB3C0C9D10324B896FB644C * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>[] struct KeyValuePair_2U5BU5D_t90BD5627DE1270CB7D2384CFC863BF0E5C371EDD : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 m_Items[1]; public: inline KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } inline KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } }; // System.Collections.Generic.KeyValuePair`2<System.UInt64,System.String>[] struct KeyValuePair_2U5BU5D_t61849670E38B0EAF0382693CFFB9BCC4AD901E16 : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_t1B0B8773CCAF35F538F084F376A37AE5779ADBBD m_Items[1]; public: inline KeyValuePair_2_t1B0B8773CCAF35F538F084F376A37AE5779ADBBD GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_t1B0B8773CCAF35F538F084F376A37AE5779ADBBD * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_t1B0B8773CCAF35F538F084F376A37AE5779ADBBD value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } inline KeyValuePair_2_t1B0B8773CCAF35F538F084F376A37AE5779ADBBD GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_t1B0B8773CCAF35F538F084F376A37AE5779ADBBD * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_t1B0B8773CCAF35F538F084F376A37AE5779ADBBD value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } }; // System.Collections.Generic.Dictionary`2_Entry<System.UInt64,System.Object>[] struct EntryU5BU5D_tCE3D39EBBB127037F170BD1FBADFA7D55D88E594 : public RuntimeArray { public: ALIGN_FIELD (8) Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29 m_Items[1]; public: inline Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); } inline Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Entry_tF00169F106D087C791655821B46CB7BBDEAC4A29 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); } }; // System.Collections.Generic.Dictionary`2_Entry<System.UInt64,System.String>[] struct EntryU5BU5D_t3E794099C0DF651976750CB2F90140C061415231 : public RuntimeArray { public: ALIGN_FIELD (8) Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7 m_Items[1]; public: inline Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); } inline Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Entry_t8318DF852BDEF43BCF1EA7732F8FDAAB99400EB7 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); } }; // System.Collections.Generic.KeyValuePair`2<System.String,System.Type>[] struct KeyValuePair_2U5BU5D_t3A5BBBFF553441D624AB0DECDAD2510AC02AE461 : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_t43CC618DDB1EEF4DBAD7DD0E770F155B528EDA3A m_Items[1]; public: inline KeyValuePair_2_t43CC618DDB1EEF4DBAD7DD0E770F155B528EDA3A GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_t43CC618DDB1EEF4DBAD7DD0E770F155B528EDA3A * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_t43CC618DDB1EEF4DBAD7DD0E770F155B528EDA3A value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } inline KeyValuePair_2_t43CC618DDB1EEF4DBAD7DD0E770F155B528EDA3A GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_t43CC618DDB1EEF4DBAD7DD0E770F155B528EDA3A * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_t43CC618DDB1EEF4DBAD7DD0E770F155B528EDA3A value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } }; // System.Collections.Generic.Dictionary`2_Entry<System.String,System.Type>[] struct EntryU5BU5D_t40A3139ED5D085E35C0FFBF75DD94D0BCDDBFA18 : public RuntimeArray { public: ALIGN_FIELD (8) Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6 m_Items[1]; public: inline Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); #endif } inline Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Entry_t8AB38A4A74024AEBE6346867C237143FE9A0AAF6 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); #endif } }; // System.Collections.Generic.Dictionary`2_Entry<System.String,System.Collections.Generic.List`1<System.Int32>>[] struct EntryU5BU5D_t60C6F39C129F0ED5FC3442C36FBFFB0170A77B12 : public RuntimeArray { public: ALIGN_FIELD (8) Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B m_Items[1]; public: inline Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); #endif } inline Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Entry_t9A7A4F5FCFF53D241B54D8DC26E03CF77A2FF38B value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); #endif } }; // System.Collections.Generic.List`1<System.Int32>[] struct List_1U5BU5D_tCC3E77E36AEB05101B85F6A19023078C5A249C32 : public RuntimeArray { public: ALIGN_FIELD (8) List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * m_Items[1]; public: inline List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.String,System.Collections.Generic.List`1<System.Int32>>[] struct KeyValuePair_2U5BU5D_t23D15007BC6A36E8076DAE37DFA83F2E858F885D : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_t01E687BB579B1BFA1799F894B174C2E381408C8C m_Items[1]; public: inline KeyValuePair_2_t01E687BB579B1BFA1799F894B174C2E381408C8C GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_t01E687BB579B1BFA1799F894B174C2E381408C8C * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_t01E687BB579B1BFA1799F894B174C2E381408C8C value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } inline KeyValuePair_2_t01E687BB579B1BFA1799F894B174C2E381408C8C GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_t01E687BB579B1BFA1799F894B174C2E381408C8C * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_t01E687BB579B1BFA1799F894B174C2E381408C8C value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } }; // Mono.Security.Interface.CipherSuiteCode[] struct CipherSuiteCodeU5BU5D_t0EC37AD4A25BB94BA9AB4A9C0C4802BD79A07CC4 : public RuntimeArray { public: ALIGN_FIELD (8) uint16_t m_Items[1]; public: inline uint16_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline uint16_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, uint16_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline uint16_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline uint16_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, uint16_t value) { m_Items[index] = value; } }; // System.UInt16Enum[] struct UInt16EnumU5BU5D_t59CC59ED969571152B93967388F196CADE982BAF : public RuntimeArray { public: ALIGN_FIELD (8) uint16_t m_Items[1]; public: inline uint16_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline uint16_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, uint16_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline uint16_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline uint16_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, uint16_t value) { m_Items[index] = value; } }; // Mono.Math.BigInteger[] struct BigIntegerU5BU5D_t15EB0DC5DA051C4F0C1BECDCD8D7AB250F0CDF4B : public RuntimeArray { public: ALIGN_FIELD (8) BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8 * m_Items[1]; public: inline BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, BigInteger_t32A7AEC0FCC286F1F9F33AAE4B6506F69CCC78A8 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // Mono.Unity.UnityTls_unitytls_ciphersuite[] struct unitytls_ciphersuiteU5BU5D_tB2A338AEB9C1D4DA86DC5B9E9D4E10BA52A3F1C3 : public RuntimeArray { public: ALIGN_FIELD (8) uint32_t m_Items[1]; public: inline uint32_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline uint32_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, uint32_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline uint32_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline uint32_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, uint32_t value) { m_Items[index] = value; } }; // System.UInt32Enum[] struct UInt32EnumU5BU5D_t2778403AF5991B56F3099A77451B997447A7780C : public RuntimeArray { public: ALIGN_FIELD (8) uint32_t m_Items[1]; public: inline uint32_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline uint32_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, uint32_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline uint32_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline uint32_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, uint32_t value) { m_Items[index] = value; } }; // Mono.Net.CFNetwork_GetProxyData[] struct GetProxyDataU5BU5D_t870800C064CCA26ABE2F8845C72953AF0776BD8F : public RuntimeArray { public: ALIGN_FIELD (8) GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC * m_Items[1]; public: inline GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, GetProxyData_tE40D00E7554A36681B3EEA1EFA807AF96A4E1ADC * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // Mono.Net.CFProxy[] struct CFProxyU5BU5D_t3B5E7E8CAA3B53B7597164277191484DA246270D : public RuntimeArray { public: ALIGN_FIELD (8) CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4 * m_Items[1]; public: inline CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, CFProxy_t031DA9B46484A1C5973AD94CF54384DE63009EA4 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Generic.Dictionary`2_Entry<System.String,System.Tuple`2<System.Guid,System.String>>[] struct EntryU5BU5D_tF631DE5F562D430304C7F0A2F6BBE60DD1E0827B : public RuntimeArray { public: ALIGN_FIELD (8) Entry_tE24875468498A83738FC9E356C4603915D0A12AA m_Items[1]; public: inline Entry_tE24875468498A83738FC9E356C4603915D0A12AA GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Entry_tE24875468498A83738FC9E356C4603915D0A12AA * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Entry_tE24875468498A83738FC9E356C4603915D0A12AA value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); #endif } inline Entry_tE24875468498A83738FC9E356C4603915D0A12AA GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Entry_tE24875468498A83738FC9E356C4603915D0A12AA * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Entry_tE24875468498A83738FC9E356C4603915D0A12AA value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); #endif } }; // System.Tuple`2<System.Guid,System.String>[] struct Tuple_2U5BU5D_t60B721DB28313BACF070C3F76590C2994570A9ED : public RuntimeArray { public: ALIGN_FIELD (8) Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 * m_Items[1]; public: inline Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Tuple_2_t371AA7832E6B98647A908BD0AF420CC191682087 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.String,System.Tuple`2<System.Guid,System.String>>[] struct KeyValuePair_2U5BU5D_t460CCDE03B7109EA75C3FB6A7A4A8B9E67161E4E : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_t09D26BDC22DFF746F1AC334C5172EA12013E686F m_Items[1]; public: inline KeyValuePair_2_t09D26BDC22DFF746F1AC334C5172EA12013E686F GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_t09D26BDC22DFF746F1AC334C5172EA12013E686F * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_t09D26BDC22DFF746F1AC334C5172EA12013E686F value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } inline KeyValuePair_2_t09D26BDC22DFF746F1AC334C5172EA12013E686F GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_t09D26BDC22DFF746F1AC334C5172EA12013E686F * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_t09D26BDC22DFF746F1AC334C5172EA12013E686F value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } }; // System.Collections.Generic.Dictionary`2_Entry<System.Guid,System.Object>[] struct EntryU5BU5D_tF17AD66B70C825E1B913ABAABE4FD682D05469FE : public RuntimeArray { public: ALIGN_FIELD (8) Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B m_Items[1]; public: inline Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); } inline Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Entry_t6E46F05FF9A5E45FFFD93303C9C602F264AF8C9B value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); } }; // System.Collections.Generic.Dictionary`2_Entry<System.Guid,Mono.Security.Interface.MonoTlsProvider>[] struct EntryU5BU5D_tE06666ABDFCBE3F36B98FC925198596DA70BC32A : public RuntimeArray { public: ALIGN_FIELD (8) Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76 m_Items[1]; public: inline Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); } inline Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Entry_t8B98D279BCFD3A36A9290DC95170148CDFCECF76 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); } }; // Mono.Security.Interface.MonoTlsProvider[] struct MonoTlsProviderU5BU5D_tF7F00997751EBE1A93125445A5076F0F60817618 : public RuntimeArray { public: ALIGN_FIELD (8) MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 * m_Items[1]; public: inline MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, MonoTlsProvider_tDCD056C5BBBE59ED6BAF63F25952B406C1143C27 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.Guid,Mono.Security.Interface.MonoTlsProvider>[] struct KeyValuePair_2U5BU5D_tF3343F162E13DB27A0D45D159E3633F14C8FC328 : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_t1AF312E938B8DA517027022598ECC2DD57A9DA5D m_Items[1]; public: inline KeyValuePair_2_t1AF312E938B8DA517027022598ECC2DD57A9DA5D GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_t1AF312E938B8DA517027022598ECC2DD57A9DA5D * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_t1AF312E938B8DA517027022598ECC2DD57A9DA5D value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } inline KeyValuePair_2_t1AF312E938B8DA517027022598ECC2DD57A9DA5D GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_t1AF312E938B8DA517027022598ECC2DD57A9DA5D * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_t1AF312E938B8DA517027022598ECC2DD57A9DA5D value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } }; // System.Collections.Generic.Dictionary`2_Entry<System.String,System.UriParser>[] struct EntryU5BU5D_t78690744AC973DECF2010068DBDBD973FD216AAF : public RuntimeArray { public: ALIGN_FIELD (8) Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49 m_Items[1]; public: inline Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); #endif } inline Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Entry_tA2C995AF298FFE6F4822C2806FC21050ACDFDD49 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_2), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_3), (void*)NULL); #endif } }; // System.UriParser[] struct UriParserU5BU5D_tF9983436A3B9D7F826992B2B7155A7B68F6C7B42 : public RuntimeArray { public: ALIGN_FIELD (8) UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * m_Items[1]; public: inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, UriParser_t07C77D673CCE8D2DA253B8A7ACCB010147F1A4AC * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.String,System.UriParser>[] struct KeyValuePair_2U5BU5D_tED7FBC66008AE10A59C8AB9D6375CCA0AF3AA16D : public RuntimeArray { public: ALIGN_FIELD (8) KeyValuePair_2_t315423B66DF57421DE96C3FD9C43795E0D10FE0A m_Items[1]; public: inline KeyValuePair_2_t315423B66DF57421DE96C3FD9C43795E0D10FE0A GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline KeyValuePair_2_t315423B66DF57421DE96C3FD9C43795E0D10FE0A * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_t315423B66DF57421DE96C3FD9C43795E0D10FE0A value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } inline KeyValuePair_2_t315423B66DF57421DE96C3FD9C43795E0D10FE0A GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline KeyValuePair_2_t315423B66DF57421DE96C3FD9C43795E0D10FE0A * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_t315423B66DF57421DE96C3FD9C43795E0D10FE0A value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___key_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); #endif } }; // System.Text.RegularExpressions.CachedCodeEntry[] struct CachedCodeEntryU5BU5D_t6CC8D8E1E2EA6307F49B4077BDF2FD1E7AA6D2DA : public RuntimeArray { public: ALIGN_FIELD (8) CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65 * m_Items[1]; public: inline CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, CachedCodeEntry_t0BA53FFFBCF7D04DF27AD5582E6D0E26D61B9B65 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Text.RegularExpressions.Capture[] struct CaptureU5BU5D_t50E7AD7A0DD83F47A18FBA28E57CCCCFC601F452 : public RuntimeArray { public: ALIGN_FIELD (8) Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73 * m_Items[1]; public: inline Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Capture_tF4475248CCF3EFF914844BE2C993FC609D41DB73 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Text.RegularExpressions.RegexCharClass_SingleRange[] struct SingleRangeU5BU5D_tAB14350EBD5923A7A56245583FE00B16378B6D36 : public RuntimeArray { public: ALIGN_FIELD (8) SingleRange_t7B8E395E75FA456AB2834933C1ECA2007EEADEE0 * m_Items[1]; public: inline SingleRange_t7B8E395E75FA456AB2834933C1ECA2007EEADEE0 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline SingleRange_t7B8E395E75FA456AB2834933C1ECA2007EEADEE0 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, SingleRange_t7B8E395E75FA456AB2834933C1ECA2007EEADEE0 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline SingleRange_t7B8E395E75FA456AB2834933C1ECA2007EEADEE0 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline SingleRange_t7B8E395E75FA456AB2834933C1ECA2007EEADEE0 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, SingleRange_t7B8E395E75FA456AB2834933C1ECA2007EEADEE0 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.String[,] struct StringU5B0___U2C0___U5D_tE93164AE7893C771D8246C63F72E776F0207282B : public RuntimeArray { public: ALIGN_FIELD (8) String_t* m_Items[1]; public: inline String_t* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline String_t** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, String_t* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline String_t* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline String_t** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, String_t* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline String_t* GetAt(il2cpp_array_size_t i, il2cpp_array_size_t j) const { il2cpp_array_size_t iBound = bounds[0].length; IL2CPP_ARRAY_BOUNDS_CHECK(i, iBound); il2cpp_array_size_t jBound = bounds[1].length; IL2CPP_ARRAY_BOUNDS_CHECK(j, jBound); il2cpp_array_size_t index = i * jBound + j; return m_Items[index]; } inline String_t** GetAddressAt(il2cpp_array_size_t i, il2cpp_array_size_t j) { il2cpp_array_size_t iBound = bounds[0].length; IL2CPP_ARRAY_BOUNDS_CHECK(i, iBound); il2cpp_array_size_t jBound = bounds[1].length; IL2CPP_ARRAY_BOUNDS_CHECK(j, jBound); il2cpp_array_size_t index = i * jBound + j; return m_Items + index; } inline void SetAt(il2cpp_array_size_t i, il2cpp_array_size_t j, String_t* value) { il2cpp_array_size_t iBound = bounds[0].length; IL2CPP_ARRAY_BOUNDS_CHECK(i, iBound); il2cpp_array_size_t jBound = bounds[1].length; IL2CPP_ARRAY_BOUNDS_CHECK(j, jBound); il2cpp_array_size_t index = i * jBound + j; m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline String_t* GetAtUnchecked(il2cpp_array_size_t i, il2cpp_array_size_t j) const { il2cpp_array_size_t jBound = bounds[1].length; il2cpp_array_size_t index = i * jBound + j; return m_Items[index]; } inline String_t** GetAddressAtUnchecked(il2cpp_array_size_t i, il2cpp_array_size_t j) { il2cpp_array_size_t jBound = bounds[1].length; il2cpp_array_size_t index = i * jBound + j; return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t i, il2cpp_array_size_t j, String_t* value) { il2cpp_array_size_t jBound = bounds[1].length; il2cpp_array_size_t index = i * jBound + j; m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping[] struct LowerCaseMappingU5BU5D_t70011E1042888E1D071920A9171989A479C0618D : public RuntimeArray { public: ALIGN_FIELD (8) LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B m_Items[1]; public: inline LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B value) { m_Items[index] = value; } }; // System.Text.RegularExpressions.RegexFC[] struct RegexFCU5BU5D_tCABE05C26F3229DFDD9C8A86F3BA828C18F02D72 : public RuntimeArray { public: ALIGN_FIELD (8) RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52 * m_Items[1]; public: inline RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RegexFC_t076AC007C0B19472DFC727FF856B5755332B8B52 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Text.RegularExpressions.RegexNode[] struct RegexNodeU5BU5D_tB18DB177D95C55B94FF9644849C7D38F5CD12CB8 : public RuntimeArray { public: ALIGN_FIELD (8) RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 * m_Items[1]; public: inline RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RegexNode_tF92FC16590D5B00965BABFC709BA677DA0FC3F75 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Text.RegularExpressions.Group[] struct GroupU5BU5D_t40CFA194F8EE1BF5E560B7C1E2C8F48220C93910 : public RuntimeArray { public: ALIGN_FIELD (8) Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 * m_Items[1]; public: inline Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Group_tB4759D0385925B2C8C14ED3FCD5D2F43CFBD0443 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Text.RegularExpressions.RegexOptions[] struct RegexOptionsU5BU5D_tCEBB5AC9D93A04FE8FCBB9E78F6F703149D5C41D : public RuntimeArray { public: ALIGN_FIELD (8) int32_t m_Items[1]; public: inline int32_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline int32_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, int32_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline int32_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline int32_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, int32_t value) { m_Items[index] = value; } }; // System.ComponentModel.PropertyDescriptor[] struct PropertyDescriptorU5BU5D_tBC9023EDDB37EAAAA6FB719C13CEF781F74B2C1F : public RuntimeArray { public: ALIGN_FIELD (8) PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D * m_Items[1]; public: inline PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, PropertyDescriptor_tBF646D9949C932A92EEBD17E2EB6AD07D18B7C9D * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.ComponentModel.MemberDescriptor[] struct MemberDescriptorU5BU5D_tD49EF2BB34816B1F5C1C82103F7DBDA5DC92323E : public RuntimeArray { public: ALIGN_FIELD (8) MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8 * m_Items[1]; public: inline MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, MemberDescriptor_t9540F11CAE19431295C2582699585264E053B8F8 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.ComponentModel.AttributeCollection_AttributeEntry[] struct AttributeEntryU5BU5D_t82EF07E3984B106E346A6B35336772424C0FCB5A : public RuntimeArray { public: ALIGN_FIELD (8) AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD m_Items[1]; public: inline AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___type_0), (void*)NULL); } inline AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, AttributeEntry_t03E9BFE6BF6BE56EA2568359ACD774FE8C8661DD value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___type_0), (void*)NULL); } }; // System.ComponentModel.IComponent[] struct IComponentU5BU5D_t5CEA92CD84EBC4469803207406088BEE73CB3E16 : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeObject* m_Items[1]; public: inline RuntimeObject* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeObject** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RuntimeObject* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeObject* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeObject** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.ComponentModel.ISite[] struct ISiteU5BU5D_t26A1BA57EE8683FC59C3BDD15CA00512F5A520A8 : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeObject* m_Items[1]; public: inline RuntimeObject* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeObject** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RuntimeObject* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeObject* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeObject** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.IServiceProvider[] struct IServiceProviderU5BU5D_tA2F273BFAFBD0608D953C470861069D3EB3CC705 : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeObject* m_Items[1]; public: inline RuntimeObject* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeObject** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RuntimeObject* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeObject* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeObject** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.ComponentModel.IExtenderProvider[] struct IExtenderProviderU5BU5D_t98121652302DA48EF1CB12054524D95ED4B63031 : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeObject* m_Items[1]; public: inline RuntimeObject* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeObject** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RuntimeObject* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeObject* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeObject** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Enum[] struct EnumU5BU5D_t89BCD01877A8CDBF7729DE77C6185E8DC1432BCA : public RuntimeArray { public: ALIGN_FIELD (8) Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 * m_Items[1]; public: inline Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.IFormattable[] struct IFormattableU5BU5D_t7338CC3879FB5BB49CB5F427C3EA476AD63496DD : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeObject* m_Items[1]; public: inline RuntimeObject* GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeObject** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RuntimeObject* value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeObject* GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeObject** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject* value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.ValueType[] struct ValueTypeU5BU5D_t855287EAC882F1430BF9355BD79647C796DF411D : public RuntimeArray { public: ALIGN_FIELD (8) ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF * m_Items[1]; public: inline ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.ComponentModel.EventDescriptor[] struct EventDescriptorU5BU5D_t813A4DE1E217CA821E8389F24AB1562B0A5458C4 : public RuntimeArray { public: ALIGN_FIELD (8) EventDescriptor_tAB488D66C0409A1889EE56355848CDA43ED95222 * m_Items[1]; public: inline EventDescriptor_tAB488D66C0409A1889EE56355848CDA43ED95222 * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline EventDescriptor_tAB488D66C0409A1889EE56355848CDA43ED95222 ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, EventDescriptor_tAB488D66C0409A1889EE56355848CDA43ED95222 * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline EventDescriptor_tAB488D66C0409A1889EE56355848CDA43ED95222 * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline EventDescriptor_tAB488D66C0409A1889EE56355848CDA43ED95222 ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, EventDescriptor_tAB488D66C0409A1889EE56355848CDA43ED95222 * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; il2cpp_hresult_t IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue); il2cpp_hresult_t IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, Il2CppIInspectable** comReturnValue); il2cpp_hresult_t IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue); il2cpp_hresult_t IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(RuntimeObject* __this, Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, Il2CppIInspectable* ___value1); il2cpp_hresult_t IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, Il2CppIInspectable* ___value1); il2cpp_hresult_t IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0); il2cpp_hresult_t IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(RuntimeObject* __this, Il2CppIInspectable* ___value0); il2cpp_hresult_t IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, Il2CppIInspectable** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(RuntimeObject* __this, Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetAt_m11FBBB55F9A38DE4DADFA81748FE6916127C0878_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * comReturnValue); il2cpp_hresult_t IVector_1_get_Size_m789D7F1F0E051606F0562B79476258A4D21EED99_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetView_m1E1495050249E99D5EF1B4B7EC303A629C041992_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IVectorView_1_tF86541D44ACF981FDB521F08E22C29B6A7F4AAD2** comReturnValue); il2cpp_hresult_t IVector_1_IndexOf_m9E00EFF4CA2BAAC5565CCDB6A5580765941B0505_ComCallableWrapperProjectedMethod(RuntimeObject* __this, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVector_1_SetAt_m3C16C29F662C4E4D4885B22FD52F15459F05A972_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value1); il2cpp_hresult_t IVector_1_InsertAt_mB421C86318FF57AD70825AA4D00052320A3E5885_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value1); il2cpp_hresult_t IVector_1_RemoveAt_mE294B065920D7E3D3ABF9886A6A40091C61EAEB9_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0); il2cpp_hresult_t IVector_1_Append_m0377648EF596E9BAC32939AE756DB4DDEB3C98E7_ComCallableWrapperProjectedMethod(RuntimeObject* __this, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value0); il2cpp_hresult_t IVector_1_RemoveAtEnd_m5899588FD64273070B1BCF1CFD69BBE607ED11F3_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_Clear_m3D09CA34D42D8B73978DB8F194E264BA5AED005C_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_GetMany_m03783008E0814F28A2C84BC188FF37466CADF6FD_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_ReplaceAll_mB431045E388BF35EB4D5CC899ED875758D8B709E_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___items0ArraySize, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * ___items0); il2cpp_hresult_t IIterable_1_First_mC82BA86580F5BACDDCBDF988C2E2B1BAF9214DD0_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_t458243F53091F73FFE3C2BEEDC5FBEB85989F071** comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_m866C11183E20B13D521BD30CE77E89E9ED4F1759_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_m5D5BAD5F42C16BBF1F1ACF41107E0C9CC6848C20_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_m603B803B4C37E02C1E72274E1691B4FCD84A5F4C_ComCallableWrapperProjectedMethod(RuntimeObject* __this, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_m21C3590FEAB5AA838F6E9C02E9EC1ED94C6D18CD_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IIterable_1_First_mFFB1B49776648BCFAE14E56BCC852C171A2EED56_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_t62801DBDE6FD9C74727BB69771A29FE27EFE219A** comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_mE92F40A15F7A4160BC73DC34BE2B952CCB6A6CC9_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_m6C9A5EB233BDD0D6840D71594DBEC7005E572679_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_m624FC07BF1FB0CE5A3988E9DC8FE4F4DEFA7BB19_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_mA6B7C5129191F9FABD887800915DB7D141B7BA3D_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetAt_m4D69EFC63C99361B0BB19D5C6534E5A59A1F1458_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** comReturnValue); il2cpp_hresult_t IVector_1_get_Size_m8885F357990CC636A047146BB17C77A0BB4611FF_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetView_m88AC336697A62558F5DE5899107FBAE051A20E8D_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IVectorView_1_tBDAB91BD4A726AA8106B0AE077F3E78FA4ABB42F** comReturnValue); il2cpp_hresult_t IVector_1_IndexOf_m00F15A95BD6C1279B1DE31748E1CE4292077DDC0_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVector_1_SetAt_m510EDE7ED1B15F06F62709BC4216CDEA6538038A_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value1); il2cpp_hresult_t IVector_1_InsertAt_mD53D53857E06A314F0D0CBB670DD9DD75E2DD2FE_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value1); il2cpp_hresult_t IVector_1_RemoveAt_m49E68BAF41C1A5019A5E5633F8CBDDF9DD8E6212_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0); il2cpp_hresult_t IVector_1_Append_m875891B6884E6E9E051F4B4962867194F942AB91_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value0); il2cpp_hresult_t IVector_1_RemoveAtEnd_m3D6D6E0E727D38394D9ED10081BACDE12763F237_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_Clear_m585F67470BCFA411B47E5EDAA2F5B61DC47F37D6_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_GetMany_mD266D205B5D0E10768BDC2776C773EE828281109_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_ReplaceAll_mC5399B7F8E8CAB772091BD244489741457D30491_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___items0ArraySize, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** ___items0); il2cpp_hresult_t IIterable_1_First_m33BF2BEBCAC5E9EBB60FE61CEA4A6101811956FC_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_tBA936F7881A5A840CF1B4B2DF937773E7FDCA037** comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_m2FFC0149A8C59F151B6A10401955C4666E76B782_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_mF9728760FD2B462B6E403376E4532C5F63A75CCB_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_mC5E2D14FBB1A97EBF6B6E8AE4F3596B7629AE7B1_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_m4B1B66F6C8E90CA6509B458A64F8DFA74F87A2F1_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetAt_m9585AD35A942D29BB864FB78565D1144B8730ACE_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** comReturnValue); il2cpp_hresult_t IVector_1_get_Size_mB93A48AD20FE3ADBF8CA29821990989648B07D8C_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetView_m5E632D03E5D61FB91B12316FEEA2C46273F184B4_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IVectorView_1_tD6D0F50A474BF45FA151737392BAEB6E3AEAE1FB** comReturnValue); il2cpp_hresult_t IVector_1_IndexOf_mA31E516B9FD904C14124D9F11597DFE88192636E_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVector_1_SetAt_mAABE70B8512C9DACCDB8B894CF0ECADFBA321103_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value1); il2cpp_hresult_t IVector_1_InsertAt_m6783B33D3E53E3BE6E394DBF926075D02349B848_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value1); il2cpp_hresult_t IVector_1_RemoveAt_m7DB77D8B1C29B0AC9086B0DE31A610E323E23753_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0); il2cpp_hresult_t IVector_1_Append_m309EB720D967EDF9E1E40BA21CADE51897FA32F8_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value0); il2cpp_hresult_t IVector_1_RemoveAtEnd_m653EA1C3E47358E13E7873030D76051595FD7F46_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_Clear_mE6351B5B1E4670F79D423BB80072FCB05ECDC56D_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_GetMany_mFF8B8D9E8319CB1DFF46A2CF6986D08AF8F2B7FC_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_ReplaceAll_m0E9990512495E1CB9B8B3369AF86B5DEB374A752_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___items0ArraySize, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** ___items0); il2cpp_hresult_t IIterable_1_First_mBBF5C8AF27EA6CA57D284C5E5A2698703192F44A_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_tCAD42EE851E2CAECEC472238A1AE950BDF1099D9** comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_mDA23EFB974CD44643AE0DB705D033D399F542B30_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_m4039024255CA2ABF9FC7FD2B45479D54AA3255DD_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_m4063F881DC6A7F4F1941CC458C2F2274867F0267_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_m58C7D281A6DA3E6C71DA87095D14B6D6DB6E6B29_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetAt_m7BDBB44CF60458D19C4210EFF74E0491DE43C124_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** comReturnValue); il2cpp_hresult_t IVector_1_get_Size_mF714AF42287CD8DC5B3D34B431BDEAF6FED388F4_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetView_mF82779D7B3CC849E6B3BBEB6C6C451466EC44920_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IVectorView_1_tEF88054A013223D9E07F80DC4159F8A647454A23** comReturnValue); il2cpp_hresult_t IVector_1_IndexOf_mE0BDDDBE532E6F97F269A4FA6DD82BA6EF00457B_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVector_1_SetAt_m3A1C2A1ED772D0AA3E8996C083DCC2628159C3E2_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value1); il2cpp_hresult_t IVector_1_InsertAt_mB782A8AE06971C02BBC8424A70E040DD209D96BD_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value1); il2cpp_hresult_t IVector_1_RemoveAt_m205BF0E48193BBAFF27593D57C784A3D9B1A56D4_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0); il2cpp_hresult_t IVector_1_Append_m8A3385CFB5A5035AF8BB8D2282F29438BEA29C30_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value0); il2cpp_hresult_t IVector_1_RemoveAtEnd_m7D047B2DDB195E88CBB4A03703BED91FB8698425_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_Clear_m90EEB90EB745472D6934994FB5F579DB8DCC9EC2_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_GetMany_m8924F3083810AEED248076297C3AF0695F4533A8_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_ReplaceAll_m3C37C2964BD96E67017FE292E76482434B4032BA_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___items0ArraySize, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** ___items0); il2cpp_hresult_t IIterable_1_First_m275E902DE6A8F069FC1B41D78868D8A4A0C31F24_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_t2A46D2833D20F4CEA65729D7D4030B73383D0FBC** comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_m93F380F63CBDE7D42B6D5C811AF52FC0F8347A7B_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_m06EBF4E201B05E92D2176F99AE7F879410D631AD_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_m35CAD9C0DA3D52CE07205ADE741A99AFC645061C_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_m2874A25B5505F2A842D7430C46F0A853BE7171BD_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetAt_mD3BBC08B6A03F1C914C62F33F0D51C340FB54AA5_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** comReturnValue); il2cpp_hresult_t IVector_1_get_Size_mAC3EB732D498A2E26FEBFD81D1BC9DFF2934C7EB_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetView_mCD6258DD92DB72771C9DE2F81E8E01FEE1BEE25A_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IVectorView_1_tDE2EEE73476A944B586B63E63CD788FD6B47CA84** comReturnValue); il2cpp_hresult_t IVector_1_IndexOf_m8F0860ED42779A9270E28CDE24E21A2440E74767_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVector_1_SetAt_m3B29A21356415288D82798231D02F8B88C0AAFC3_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value1); il2cpp_hresult_t IVector_1_InsertAt_m35D14D740A1FD703C1E2380D8E1344DC2AFEAB72_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value1); il2cpp_hresult_t IVector_1_RemoveAt_mE0A2F88A5529EB6BCA1FAA6D84FF1EBC68FC005B_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0); il2cpp_hresult_t IVector_1_Append_m021B7C611A5EF129F9B7CAFB169101F189961B3B_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value0); il2cpp_hresult_t IVector_1_RemoveAtEnd_mE9F49E1350320AFF606821E10E2032C8FFEC8C24_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_Clear_mC78A76116C4B823554B57D7F45B753F0589BD59D_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_GetMany_m64B1AAF540503AE9EAFD7F4C9B242009C281B964_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_ReplaceAll_mE533BF3355F82BD8891BC4F4D969D55E76D555A6_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___items0ArraySize, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** ___items0); il2cpp_hresult_t IIterable_1_First_m2E655A1A60C1239F728630271C24A57F0BD528CA_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_tB764AD11C14EE09E15ED8EACFD2CB116C9B9DB3B** comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_m2AA9257A51EF11F40AE442C55D13A9BF44001280_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_mDBFF54AA03EBF2E99848857C9CD886FB93A6A029_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_m2F8E68BBAFD0C27FC9A7104DC3DCA9A802B686BC_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_mA67B44D96F5FF264D6F48544D1E956C778FF1090_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetAt_m3E44F2C56F8B07149A65FC9FD7C7D1738DE88BCD_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** comReturnValue); il2cpp_hresult_t IVector_1_get_Size_mBB05C70B6C853F873E80A0EB4E1ED585B910301C_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_GetView_m507780CE087FD0B63A58E85766AF34C8B4588D87_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IVectorView_1_tD689FA5E6085AE1F3D00699A1B2536D0A4C05EB6** comReturnValue); il2cpp_hresult_t IVector_1_IndexOf_m86A7953BDAED4A2369564D4CC2CB83161E45C6EB_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVector_1_SetAt_mC139749D94ABE0A1709D8CF348F588F1BF8EEC70_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value1); il2cpp_hresult_t IVector_1_InsertAt_m6B83035666CC79B654430118101DAB079DD7ADC5_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value1); il2cpp_hresult_t IVector_1_RemoveAt_m5563DB19695B7582B2CD41E305295AA7FBB1B5AE_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0); il2cpp_hresult_t IVector_1_Append_m0E773601453606A1AE44917B7F48959A52877EAD_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value0); il2cpp_hresult_t IVector_1_RemoveAtEnd_m51585A1C26ADA2DC58334D0067FF997AE5851F39_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_Clear_m796F168154470E9CCD77525E78D64A3665E627E0_ComCallableWrapperProjectedMethod(RuntimeObject* __this); il2cpp_hresult_t IVector_1_GetMany_m4856A6D19A9FED1226BFA9639FBECBE2BDA81E45_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVector_1_ReplaceAll_m1FB29DAB3249EB35642C637ABB086E62F84D42F9_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___items0ArraySize, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** ___items0); il2cpp_hresult_t IIterable_1_First_m6DF74C1336D9C10069917A4FED26C3720B17DFD7_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_t46A935C2A23637200F19BAEE4C057B011483C57F** comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_m241320C639B15A2BC7DD70E9DB97D45010B2B930_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_m34A00F40437FB5F7D13D17D7FD3F83C329C55F6B_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_mAE736EBF6CF0B6314FB5F4607EB7E7724CCBB03A_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_mCCCE1DCB8E23E0323B4A3F2CA72BC8AF6F1DD8AB_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IIterable_1_First_m7CA6136A702F60BC9D76703E41DAFEFFB8630CF1_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_tA43F6FC1D4C77D938D70C30796F03C0C9D01652B** comReturnValue); il2cpp_hresult_t IIterable_1_First_m08AE3205A8C461CBBFD801DF50F22BB295E6F11E_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_t5ED96EAD78CEF2D860EDB4DCF4672C15C13F6B53** comReturnValue); il2cpp_hresult_t IIterable_1_First_m551F37D94BCD6465A842A30F21A34B055D1150EB_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_t434D274362AD0E7DED4E226329536215034B75E0** comReturnValue); il2cpp_hresult_t IIterable_1_First_mEA3E0A2E3EBF3C5119B790F2DB2E361610F5E564_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_t3557A30DEED19D31BAF82BE4B75C2FFDEC593169** comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_mD4BB8EAABBC824C4EF3A0C172A49DBCEFF007585_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IVector_1_tFA03AAC34E309F0CE0766A71DB13E7C29DC019F1** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_m38D4BE77B7E0D81D3EB702F20C253CA635082816_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_m1BA008F927E04857A91873501055371217ACF754_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IVector_1_tFA03AAC34E309F0CE0766A71DB13E7C29DC019F1* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_m8D89E3F20A1DEF5D079D0FB04FFF388FDD576D62_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IVector_1_tFA03AAC34E309F0CE0766A71DB13E7C29DC019F1** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_m9516363B8735EA2063ECA845F5EE75B711DD9E94_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IIterable_1_tCAF4089D0AFDC422E5D221DD5201B9B3CD3FE719** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_m0F3643297D94A101CCC4529B406A4801528C52A7_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_m84893DB170EBC43F3EF909E299B9E8B7B677EA78_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterable_1_tCAF4089D0AFDC422E5D221DD5201B9B3CD3FE719* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_m22D3610889BA4BDF85B3B028ED558C9B577D1EBA_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IIterable_1_tCAF4089D0AFDC422E5D221DD5201B9B3CD3FE719** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_mAB5FBF2E11782C3284709DBFA4DE5F15F3819B10_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_mBB2E069A39C95E9B799DF56A687C3378593D6DE8_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_mE04A0DB765A4541758E866B3039F1064401BE09B_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_m7A30B074D4DE286EDF193293E625DF60ECDBB23A_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_mF7F52C4D6EA65FAC0A5B2F7D5AA2F74B25854183_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IVectorView_1_tAB52227C1C0CC25665FDD31E1FF8C4E46A940871** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_m802C8606F6157302509A7594D448AD57DC6A50B4_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_m7AD97820B7630E632287AD069C5599BEC3F28C67_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IVectorView_1_tAB52227C1C0CC25665FDD31E1FF8C4E46A940871* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_mBE23AB4CC5108592945F8E99B724FB3E0A653EF9_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IVectorView_1_tAB52227C1C0CC25665FDD31E1FF8C4E46A940871** ___items1, uint32_t* comReturnValue); il2cpp_hresult_t IIterable_1_First_m66AE02B95C12AA29398F853CBBCB981F758D1D7B_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IIterator_1_tFCCB84984712ACE35E2C9D0FFBB7CFE2CD913B43** comReturnValue); il2cpp_hresult_t IVectorView_1_GetAt_mF09C0ACF185B36DEE44FC0D08172713153119DE1_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___index0, IClosable_t5808AF951019E4388C66F7A88AC569F52F581167** comReturnValue); il2cpp_hresult_t IVectorView_1_get_Size_m3313994A76530A8C4479916841C82C0D08EFAC79_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t* comReturnValue); il2cpp_hresult_t IVectorView_1_IndexOf_mDB1287B8A5CC74E6FCC29981DD88C2C7386EC4E7_ComCallableWrapperProjectedMethod(RuntimeObject* __this, IClosable_t5808AF951019E4388C66F7A88AC569F52F581167* ___value0, uint32_t* ___index1, bool* comReturnValue); il2cpp_hresult_t IVectorView_1_GetMany_m4955F7C6504C5A36D92A21A0AC6FDD34FF016A93_ComCallableWrapperProjectedMethod(RuntimeObject* __this, uint32_t ___startIndex0, uint32_t ___items1ArraySize, IClosable_t5808AF951019E4388C66F7A88AC569F52F581167** ___items1, uint32_t* comReturnValue); // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.Type,System.Runtime.Serialization.Formatters.Binary.TypeInformation>[] struct KeyValuePair_2U5BU5D_t0769A388FE536964551A011DC2B45DE7E302E0DE_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t0769A388FE536964551A011DC2B45DE7E302E0DE_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_t0769A388FE536964551A011DC2B45DE7E302E0DE_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t0769A388FE536964551A011DC2B45DE7E302E0DE_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_t0769A388FE536964551A011DC2B45DE7E302E0DE(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_t0769A388FE536964551A011DC2B45DE7E302E0DE_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_t0769A388FE536964551A011DC2B45DE7E302E0DE_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Runtime.Remoting.Messaging.Header[] struct HeaderU5BU5D_t5EDB44F2B731039304163091DF818493DBB049AC_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<HeaderU5BU5D_t5EDB44F2B731039304163091DF818493DBB049AC_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline HeaderU5BU5D_t5EDB44F2B731039304163091DF818493DBB049AC_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<HeaderU5BU5D_t5EDB44F2B731039304163091DF818493DBB049AC_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_HeaderU5BU5D_t5EDB44F2B731039304163091DF818493DBB049AC(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(HeaderU5BU5D_t5EDB44F2B731039304163091DF818493DBB049AC_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) HeaderU5BU5D_t5EDB44F2B731039304163091DF818493DBB049AC_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo[] struct WriteObjectInfoU5BU5D_tBD618A460F27662FB362B41BF436235197E00EB9_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<WriteObjectInfoU5BU5D_tBD618A460F27662FB362B41BF436235197E00EB9_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline WriteObjectInfoU5BU5D_tBD618A460F27662FB362B41BF436235197E00EB9_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<WriteObjectInfoU5BU5D_tBD618A460F27662FB362B41BF436235197E00EB9_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_WriteObjectInfoU5BU5D_tBD618A460F27662FB362B41BF436235197E00EB9(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(WriteObjectInfoU5BU5D_tBD618A460F27662FB362B41BF436235197E00EB9_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) WriteObjectInfoU5BU5D_tBD618A460F27662FB362B41BF436235197E00EB9_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.String,System.Object>[] struct NodeU5BU5D_t3EF9AE2F2694F03040F5BFB8940E32AD000961F1_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<NodeU5BU5D_t3EF9AE2F2694F03040F5BFB8940E32AD000961F1_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline NodeU5BU5D_t3EF9AE2F2694F03040F5BFB8940E32AD000961F1_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<NodeU5BU5D_t3EF9AE2F2694F03040F5BFB8940E32AD000961F1_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_NodeU5BU5D_t3EF9AE2F2694F03040F5BFB8940E32AD000961F1(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(NodeU5BU5D_t3EF9AE2F2694F03040F5BFB8940E32AD000961F1_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) NodeU5BU5D_t3EF9AE2F2694F03040F5BFB8940E32AD000961F1_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Runtime.Remoting.Contexts.IContextAttribute[] struct IContextAttributeU5BU5D_t5EA1C2D7C749430972D5C6B06043A6FF554E2E0C_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<IContextAttributeU5BU5D_t5EA1C2D7C749430972D5C6B06043A6FF554E2E0C_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline IContextAttributeU5BU5D_t5EA1C2D7C749430972D5C6B06043A6FF554E2E0C_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<IContextAttributeU5BU5D_t5EA1C2D7C749430972D5C6B06043A6FF554E2E0C_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_IContextAttributeU5BU5D_t5EA1C2D7C749430972D5C6B06043A6FF554E2E0C(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(IContextAttributeU5BU5D_t5EA1C2D7C749430972D5C6B06043A6FF554E2E0C_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) IContextAttributeU5BU5D_t5EA1C2D7C749430972D5C6B06043A6FF554E2E0C_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Runtime.Remoting.Services.ITrackingHandler[] struct ITrackingHandlerU5BU5D_t660E4548BC8B5A92AC4A3FB21F6D161C6078253A_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<ITrackingHandlerU5BU5D_t660E4548BC8B5A92AC4A3FB21F6D161C6078253A_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline ITrackingHandlerU5BU5D_t660E4548BC8B5A92AC4A3FB21F6D161C6078253A_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<ITrackingHandlerU5BU5D_t660E4548BC8B5A92AC4A3FB21F6D161C6078253A_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_ITrackingHandlerU5BU5D_t660E4548BC8B5A92AC4A3FB21F6D161C6078253A(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(ITrackingHandlerU5BU5D_t660E4548BC8B5A92AC4A3FB21F6D161C6078253A_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) ITrackingHandlerU5BU5D_t660E4548BC8B5A92AC4A3FB21F6D161C6078253A_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Runtime.Remoting.Contexts.IContextProperty[] struct IContextPropertyU5BU5D_tFBBEED74F171FF63A1A119A5035D80F21E3F19CB_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<IContextPropertyU5BU5D_tFBBEED74F171FF63A1A119A5035D80F21E3F19CB_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline IContextPropertyU5BU5D_tFBBEED74F171FF63A1A119A5035D80F21E3F19CB_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<IContextPropertyU5BU5D_tFBBEED74F171FF63A1A119A5035D80F21E3F19CB_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_IContextPropertyU5BU5D_tFBBEED74F171FF63A1A119A5035D80F21E3F19CB(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(IContextPropertyU5BU5D_tFBBEED74F171FF63A1A119A5035D80F21E3F19CB_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) IContextPropertyU5BU5D_tFBBEED74F171FF63A1A119A5035D80F21E3F19CB_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Runtime.InteropServices.WindowsRuntime.EventRegistrationToken[] struct EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper>, IVector_1_t05FB0982DF40899C7BD7A86BB10E96FDDF48B42C, IIterable_1_t02263379F0E72EB0527393B43E614C00E4E66EE9, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_tF86541D44ACF981FDB521F08E22C29B6A7F4AAD2, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39, IReferenceArray_1_t54126058B61E38A56F780F9495FFCEE53BBAC98D, IPropertyValue_t239390018B885BE640A1051E103B64696F623C7B { inline EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVector_1_t05FB0982DF40899C7BD7A86BB10E96FDDF48B42C::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVector_1_t05FB0982DF40899C7BD7A86BB10E96FDDF48B42C*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_t02263379F0E72EB0527393B43E614C00E4E66EE9::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_t02263379F0E72EB0527393B43E614C00E4E66EE9*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_tF86541D44ACF981FDB521F08E22C29B6A7F4AAD2::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_tF86541D44ACF981FDB521F08E22C29B6A7F4AAD2*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IReferenceArray_1_t54126058B61E38A56F780F9495FFCEE53BBAC98D::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IReferenceArray_1_t54126058B61E38A56F780F9495FFCEE53BBAC98D*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IPropertyValue_t239390018B885BE640A1051E103B64696F623C7B::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IPropertyValue_t239390018B885BE640A1051E103B64696F623C7B*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(7); interfaceIds[0] = IVector_1_t05FB0982DF40899C7BD7A86BB10E96FDDF48B42C::IID; interfaceIds[1] = IIterable_1_t02263379F0E72EB0527393B43E614C00E4E66EE9::IID; interfaceIds[2] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[3] = IVectorView_1_tF86541D44ACF981FDB521F08E22C29B6A7F4AAD2::IID; interfaceIds[4] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; interfaceIds[5] = IReferenceArray_1_t54126058B61E38A56F780F9495FFCEE53BBAC98D::IID; interfaceIds[6] = IPropertyValue_t239390018B885BE640A1051E103B64696F623C7B::IID; *iidCount = 7; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_m11FBBB55F9A38DE4DADFA81748FE6916127C0878(uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetAt_m11FBBB55F9A38DE4DADFA81748FE6916127C0878_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_m789D7F1F0E051606F0562B79476258A4D21EED99(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_get_Size_m789D7F1F0E051606F0562B79476258A4D21EED99_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_GetView_m1E1495050249E99D5EF1B4B7EC303A629C041992(IVectorView_1_tF86541D44ACF981FDB521F08E22C29B6A7F4AAD2** comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetView_m1E1495050249E99D5EF1B4B7EC303A629C041992_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_m9E00EFF4CA2BAAC5565CCDB6A5580765941B0505(EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_IndexOf_m9E00EFF4CA2BAAC5565CCDB6A5580765941B0505_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_m3C16C29F662C4E4D4885B22FD52F15459F05A972(uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value1) IL2CPP_OVERRIDE { return IVector_1_SetAt_m3C16C29F662C4E4D4885B22FD52F15459F05A972_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_mB421C86318FF57AD70825AA4D00052320A3E5885(uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value1) IL2CPP_OVERRIDE { return IVector_1_InsertAt_mB421C86318FF57AD70825AA4D00052320A3E5885_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_mE294B065920D7E3D3ABF9886A6A40091C61EAEB9(uint32_t ___index0) IL2CPP_OVERRIDE { return IVector_1_RemoveAt_mE294B065920D7E3D3ABF9886A6A40091C61EAEB9_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IVector_1_Append_m0377648EF596E9BAC32939AE756DB4DDEB3C98E7(EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value0) IL2CPP_OVERRIDE { return IVector_1_Append_m0377648EF596E9BAC32939AE756DB4DDEB3C98E7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_m5899588FD64273070B1BCF1CFD69BBE607ED11F3() IL2CPP_OVERRIDE { return IVector_1_RemoveAtEnd_m5899588FD64273070B1BCF1CFD69BBE607ED11F3_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_Clear_m3D09CA34D42D8B73978DB8F194E264BA5AED005C() IL2CPP_OVERRIDE { return IVector_1_Clear_m3D09CA34D42D8B73978DB8F194E264BA5AED005C_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_m03783008E0814F28A2C84BC188FF37466CADF6FD(uint32_t ___startIndex0, uint32_t ___items1ArraySize, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetMany_m03783008E0814F28A2C84BC188FF37466CADF6FD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_mB431045E388BF35EB4D5CC899ED875758D8B709E(uint32_t ___items0ArraySize, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * ___items0) IL2CPP_OVERRIDE { return IVector_1_ReplaceAll_mB431045E388BF35EB4D5CC899ED875758D8B709E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___items0ArraySize, ___items0); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_mC82BA86580F5BACDDCBDF988C2E2B1BAF9214DD0(IIterator_1_t458243F53091F73FFE3C2BEEDC5FBEB85989F071** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_mC82BA86580F5BACDDCBDF988C2E2B1BAF9214DD0_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m866C11183E20B13D521BD30CE77E89E9ED4F1759(uint32_t ___index0, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_m866C11183E20B13D521BD30CE77E89E9ED4F1759_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m5D5BAD5F42C16BBF1F1ACF41107E0C9CC6848C20(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m5D5BAD5F42C16BBF1F1ACF41107E0C9CC6848C20_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m603B803B4C37E02C1E72274E1691B4FCD84A5F4C(EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m603B803B4C37E02C1E72274E1691B4FCD84A5F4C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m21C3590FEAB5AA838F6E9C02E9EC1ED94C6D18CD(uint32_t ___startIndex0, uint32_t ___items1ArraySize, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m21C3590FEAB5AA838F6E9C02E9EC1ED94C6D18CD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IReferenceArray_1_get_Value_m1F78D28250888689FBE03921ACFC30CBFD850C1F(uint32_t* comReturnValueArraySize, EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 ** comReturnValue) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IReferenceArray_1_get_Value_m1F78D28250888689FBE03921ACFC30CBFD850C1F_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Managed method invocation EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* returnValue; try { returnValue = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); } catch (const Il2CppExceptionWrapper& ex) { memset(comReturnValue, 0, sizeof(*comReturnValue)); String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of return value back from managed representation uint32_t _returnValue_marshaledArraySize = 0; EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 * _returnValue_marshaled = NULL; if (returnValue != NULL) { _returnValue_marshaledArraySize = static_cast<uint32_t>((returnValue)->max_length); _returnValue_marshaled = il2cpp_codegen_marshal_allocate_array<EventRegistrationToken_tE1F3FD8339DB10082B4291DE47C45A352DCB08A7 >(static_cast<int32_t>(_returnValue_marshaledArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(_returnValue_marshaledArraySize)); i++) { (_returnValue_marshaled)[i] = (returnValue)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)); } } *comReturnValueArraySize = _returnValue_marshaledArraySize; *comReturnValue = _returnValue_marshaled; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_get_Type_mB7A711F071E38F3BAEC1862D436AC4AC6DC07FAB(int32_t* comReturnValue) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_get_Type_mB7A711F071E38F3BAEC1862D436AC4AC6DC07FAB_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Managed method invocation int32_t returnValue; try { returnValue = 1044; } catch (const Il2CppExceptionWrapper& ex) { memset(comReturnValue, 0, sizeof(*comReturnValue)); String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } *comReturnValue = returnValue; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_get_IsNumericScalar_m1C1F22011064BCF30C5B7E675AC389AF33EC8E5F(bool* comReturnValue) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_get_IsNumericScalar_m1C1F22011064BCF30C5B7E675AC389AF33EC8E5F_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Managed method invocation bool returnValue; try { returnValue = false; } catch (const Il2CppExceptionWrapper& ex) { memset(comReturnValue, 0, sizeof(*comReturnValue)); String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } *comReturnValue = returnValue; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt8_m6E0FA81F823A7980FDBE76ECAFF20E57EB6666F6(uint8_t* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Byte"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt16_m33B5D0C3CF38BC633A0085AE70DB332CCBE396DF(int16_t* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Int16"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt16_mEE71D2389CCEFB98E952C00FB8D6BEC588335A57(uint16_t* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "UInt16"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt32_m9D0D781ED2D0EFCFD725E9126184AB423EA45C2B(int32_t* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Int32"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt32_m9186A8BA0E36E15EF0AC2BA14D050DED85699C6E(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "UInt32"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt64_mFBA4443B87A23C4162616CE67978E15CC32A158E(int64_t* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Int64"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt64_m01C60E6EA36BD050254AEFE6AF99D1D4977CD15F(uint64_t* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "UInt64"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetSingle_m7DA893EAE56B29828034B018B0844208FF80CCDD(float* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Single"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetDouble_m34EF323F40F8971CD414DFB38CB6719F071BC869(double* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Double"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetChar16_mA1539B0EDFFFD74BBCDB28C1FAC9487811D48386(Il2CppChar* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Char16"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetBoolean_m0F0CE0E65CD9E983BCC7DBA628CF546547DAC005(bool* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Boolean"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetString_m03CC616B8EFD87A5023AB25FC20F934D2F09E169(Il2CppHString* comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "String"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetGuid_mE05F5B0248EA98B227F69B2E02D9B10A7B946FC2(Guid_t * comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Guid"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetDateTime_m509277C336754537642EEC6D3A68750DDFABA56E(DateTime_t9D0F9E236B6200FF6413DD837230D25E285E7795 * comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "DateTime"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetTimeSpan_mE29774C717C9B4EC735C20A8CED6796CDF4E91E5(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "TimeSpan"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetPoint_m9E32A5CC948BB3572CD3FF6CA2F5B78F26596E73(Point_t7C3010F37F6E9DB2B792BBDAFF58C3232A3356AC * comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Point"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetSize_m7212C32E319B8F552ED909C1287C6786B706A659(Size_tBE9F75FCA10276DC3998237A8906733B64FB75A2 * comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Size"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetRect_mFB23B562FCD514351684F706405000203ADFD829(Rect_tD277A11EF3F3CC633796B8FF0BC4822826E72BB0 * comReturnValue) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Rect"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt8Array_m7348AAFD3D46CD731DD94146E5E60CFBD1F10553(uint32_t* ___value0ArraySize, uint8_t** ___value0) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_GetUInt8Array_m7348AAFD3D46CD731DD94146E5E60CFBD1F10553_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Marshaling of parameter '___value0' to managed representation ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ____value0_empty = NULL; // Managed method invocation try { EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* managedArray = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); il2cpp_array_size_t arrayLength = managedArray->max_length; if (arrayLength > 0) { return il2cpp_codegen_com_handle_invalid_ipropertyarray_conversion("OtherArray", "Other", "Byte", 0); } ____value0_empty = NULL; } catch (const Il2CppExceptionWrapper& ex) { String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of parameter '___value0' back from managed representation if (____value0_empty != NULL) { *___value0ArraySize = static_cast<uint32_t>((____value0_empty)->max_length); *___value0 = il2cpp_codegen_marshal_allocate_array<uint8_t>(static_cast<int32_t>(*___value0ArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(*___value0ArraySize)); i++) { (*___value0)[i] = (____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)); } } else { *___value0ArraySize = 0; *___value0 = NULL; } return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt16Array_m9E714AF77215627B9C8119AF3FA6508C50D206FE(uint32_t* ___value0ArraySize, int16_t** ___value0) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_GetInt16Array_m9E714AF77215627B9C8119AF3FA6508C50D206FE_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Marshaling of parameter '___value0' to managed representation Int16U5BU5D_tDA0F0B2730337F72E44DB024BE9818FA8EDE8D28* ____value0_empty = NULL; // Managed method invocation try { EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* managedArray = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); il2cpp_array_size_t arrayLength = managedArray->max_length; if (arrayLength > 0) { return il2cpp_codegen_com_handle_invalid_ipropertyarray_conversion("OtherArray", "Other", "Int16", 0); } ____value0_empty = NULL; } catch (const Il2CppExceptionWrapper& ex) { String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of parameter '___value0' back from managed representation if (____value0_empty != NULL) { *___value0ArraySize = static_cast<uint32_t>((____value0_empty)->max_length); *___value0 = il2cpp_codegen_marshal_allocate_array<int16_t>(static_cast<int32_t>(*___value0ArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(*___value0ArraySize)); i++) { (*___value0)[i] = (____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)); } } else { *___value0ArraySize = 0; *___value0 = NULL; } return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt16Array_m4D5B5FB0A7FC0A22E80141B159783C2A0B0FBD0B(uint32_t* ___value0ArraySize, uint16_t** ___value0) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_GetUInt16Array_m4D5B5FB0A7FC0A22E80141B159783C2A0B0FBD0B_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Marshaling of parameter '___value0' to managed representation UInt16U5BU5D_t2D4BB1F8C486FF4359FFA7E4A76A8708A684543E* ____value0_empty = NULL; // Managed method invocation try { EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* managedArray = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); il2cpp_array_size_t arrayLength = managedArray->max_length; if (arrayLength > 0) { return il2cpp_codegen_com_handle_invalid_ipropertyarray_conversion("OtherArray", "Other", "UInt16", 0); } ____value0_empty = NULL; } catch (const Il2CppExceptionWrapper& ex) { String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of parameter '___value0' back from managed representation if (____value0_empty != NULL) { *___value0ArraySize = static_cast<uint32_t>((____value0_empty)->max_length); *___value0 = il2cpp_codegen_marshal_allocate_array<uint16_t>(static_cast<int32_t>(*___value0ArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(*___value0ArraySize)); i++) { (*___value0)[i] = (____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)); } } else { *___value0ArraySize = 0; *___value0 = NULL; } return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt32Array_m799E55885F6A13610A5051F1C2917A0234B9AC03(uint32_t* ___value0ArraySize, int32_t** ___value0) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_GetInt32Array_m799E55885F6A13610A5051F1C2917A0234B9AC03_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Marshaling of parameter '___value0' to managed representation Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ____value0_empty = NULL; // Managed method invocation try { EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* managedArray = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); il2cpp_array_size_t arrayLength = managedArray->max_length; if (arrayLength > 0) { return il2cpp_codegen_com_handle_invalid_ipropertyarray_conversion("OtherArray", "Other", "Int32", 0); } ____value0_empty = NULL; } catch (const Il2CppExceptionWrapper& ex) { String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of parameter '___value0' back from managed representation if (____value0_empty != NULL) { *___value0ArraySize = static_cast<uint32_t>((____value0_empty)->max_length); *___value0 = il2cpp_codegen_marshal_allocate_array<int32_t>(static_cast<int32_t>(*___value0ArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(*___value0ArraySize)); i++) { (*___value0)[i] = (____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)); } } else { *___value0ArraySize = 0; *___value0 = NULL; } return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt32Array_m335BBA978CD7ACD928B58B3D525C68E2B4DE99FF(uint32_t* ___value0ArraySize, uint32_t** ___value0) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_GetUInt32Array_m335BBA978CD7ACD928B58B3D525C68E2B4DE99FF_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Marshaling of parameter '___value0' to managed representation UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* ____value0_empty = NULL; // Managed method invocation try { EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* managedArray = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); il2cpp_array_size_t arrayLength = managedArray->max_length; if (arrayLength > 0) { return il2cpp_codegen_com_handle_invalid_ipropertyarray_conversion("OtherArray", "Other", "UInt32", 0); } ____value0_empty = NULL; } catch (const Il2CppExceptionWrapper& ex) { String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of parameter '___value0' back from managed representation if (____value0_empty != NULL) { *___value0ArraySize = static_cast<uint32_t>((____value0_empty)->max_length); *___value0 = il2cpp_codegen_marshal_allocate_array<uint32_t>(static_cast<int32_t>(*___value0ArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(*___value0ArraySize)); i++) { (*___value0)[i] = (____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)); } } else { *___value0ArraySize = 0; *___value0 = NULL; } return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInt64Array_m2A3152938A9BBA08D7357BC63F400F8C4FD7C76B(uint32_t* ___value0ArraySize, int64_t** ___value0) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_GetInt64Array_m2A3152938A9BBA08D7357BC63F400F8C4FD7C76B_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Marshaling of parameter '___value0' to managed representation Int64U5BU5D_tE04A3DEF6AF1C852A43B98A24EFB715806B37F5F* ____value0_empty = NULL; // Managed method invocation try { EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* managedArray = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); il2cpp_array_size_t arrayLength = managedArray->max_length; if (arrayLength > 0) { return il2cpp_codegen_com_handle_invalid_ipropertyarray_conversion("OtherArray", "Other", "Int64", 0); } ____value0_empty = NULL; } catch (const Il2CppExceptionWrapper& ex) { String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of parameter '___value0' back from managed representation if (____value0_empty != NULL) { *___value0ArraySize = static_cast<uint32_t>((____value0_empty)->max_length); *___value0 = il2cpp_codegen_marshal_allocate_array<int64_t>(static_cast<int32_t>(*___value0ArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(*___value0ArraySize)); i++) { (*___value0)[i] = (____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)); } } else { *___value0ArraySize = 0; *___value0 = NULL; } return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetUInt64Array_m9B9E15BA794B247E403386503A1F31881DA86BF7(uint32_t* ___value0ArraySize, uint64_t** ___value0) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_GetUInt64Array_m9B9E15BA794B247E403386503A1F31881DA86BF7_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Marshaling of parameter '___value0' to managed representation UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* ____value0_empty = NULL; // Managed method invocation try { EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* managedArray = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); il2cpp_array_size_t arrayLength = managedArray->max_length; if (arrayLength > 0) { return il2cpp_codegen_com_handle_invalid_ipropertyarray_conversion("OtherArray", "Other", "UInt64", 0); } ____value0_empty = NULL; } catch (const Il2CppExceptionWrapper& ex) { String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of parameter '___value0' back from managed representation if (____value0_empty != NULL) { *___value0ArraySize = static_cast<uint32_t>((____value0_empty)->max_length); *___value0 = il2cpp_codegen_marshal_allocate_array<uint64_t>(static_cast<int32_t>(*___value0ArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(*___value0ArraySize)); i++) { (*___value0)[i] = (____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)); } } else { *___value0ArraySize = 0; *___value0 = NULL; } return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetSingleArray_m641609788D53A6254B05EC12B73EC7BACB56D33F(uint32_t* ___value0ArraySize, float** ___value0) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_GetSingleArray_m641609788D53A6254B05EC12B73EC7BACB56D33F_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Marshaling of parameter '___value0' to managed representation SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* ____value0_empty = NULL; // Managed method invocation try { EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* managedArray = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); il2cpp_array_size_t arrayLength = managedArray->max_length; if (arrayLength > 0) { return il2cpp_codegen_com_handle_invalid_ipropertyarray_conversion("OtherArray", "Other", "Single", 0); } ____value0_empty = NULL; } catch (const Il2CppExceptionWrapper& ex) { String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of parameter '___value0' back from managed representation if (____value0_empty != NULL) { *___value0ArraySize = static_cast<uint32_t>((____value0_empty)->max_length); *___value0 = il2cpp_codegen_marshal_allocate_array<float>(static_cast<int32_t>(*___value0ArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(*___value0ArraySize)); i++) { (*___value0)[i] = (____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)); } } else { *___value0ArraySize = 0; *___value0 = NULL; } return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetDoubleArray_m796ECF392FE47A8F5AF69F16B1B6694666B13D6B(uint32_t* ___value0ArraySize, double** ___value0) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_GetDoubleArray_m796ECF392FE47A8F5AF69F16B1B6694666B13D6B_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Marshaling of parameter '___value0' to managed representation DoubleU5BU5D_tF9383437DDA9EAC9F60627E9E6E2045CF7CB182D* ____value0_empty = NULL; // Managed method invocation try { EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* managedArray = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); il2cpp_array_size_t arrayLength = managedArray->max_length; if (arrayLength > 0) { return il2cpp_codegen_com_handle_invalid_ipropertyarray_conversion("OtherArray", "Other", "Double", 0); } ____value0_empty = NULL; } catch (const Il2CppExceptionWrapper& ex) { String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of parameter '___value0' back from managed representation if (____value0_empty != NULL) { *___value0ArraySize = static_cast<uint32_t>((____value0_empty)->max_length); *___value0 = il2cpp_codegen_marshal_allocate_array<double>(static_cast<int32_t>(*___value0ArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(*___value0ArraySize)); i++) { (*___value0)[i] = (____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)); } } else { *___value0ArraySize = 0; *___value0 = NULL; } return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetChar16Array_mA72D84594CACE711C869C39FC47BCE332FC8A618(uint32_t* ___value0ArraySize, Il2CppChar** ___value0) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Char16[]"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetBooleanArray_m32F829C6CA7AE67D42E0D58D9AB28A14AF056517(uint32_t* ___value0ArraySize, bool** ___value0) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Boolean[]"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetStringArray_mC5D40C9E740A5FB497BDB39B81487A5DDB3129B6(uint32_t* ___value0ArraySize, Il2CppHString** ___value0) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_GetStringArray_mC5D40C9E740A5FB497BDB39B81487A5DDB3129B6_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Marshaling of parameter '___value0' to managed representation StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ____value0_empty = NULL; // Managed method invocation try { EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* managedArray = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); il2cpp_array_size_t arrayLength = managedArray->max_length; if (arrayLength > 0) { return il2cpp_codegen_com_handle_invalid_ipropertyarray_conversion("OtherArray", "Other", "String", 0); } ____value0_empty = NULL; } catch (const Il2CppExceptionWrapper& ex) { String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of parameter '___value0' back from managed representation if (____value0_empty != NULL) { *___value0ArraySize = static_cast<uint32_t>((____value0_empty)->max_length); *___value0 = il2cpp_codegen_marshal_allocate_array<Il2CppHString>(static_cast<int32_t>(*___value0ArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(*___value0ArraySize)); i++) { if ((____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)) == NULL) { IL2CPP_RAISE_MANAGED_EXCEPTION(il2cpp_codegen_get_argument_null_exception("value"), NULL); } (*___value0)[i] = il2cpp_codegen_create_hstring((____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i))); } } else { *___value0ArraySize = 0; *___value0 = NULL; } return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetInspectableArray_m259D5ED0D3880F47B2AE4C4AC1AA310FAC2662D3(uint32_t* ___value0ArraySize, Il2CppIInspectable*** ___value0) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Inspectable[]"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetGuidArray_m0147631B0DD882717A53BA395C30E070B164BBF6(uint32_t* ___value0ArraySize, Guid_t ** ___value0) IL2CPP_OVERRIDE { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (IPropertyValue_GetGuidArray_m0147631B0DD882717A53BA395C30E070B164BBF6_CCW_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper_MetadataUsageId); s_Il2CppMethodInitialized = true; } il2cpp::vm::ScopedThreadAttacher _vmThreadHelper; // Marshaling of parameter '___value0' to managed representation GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* ____value0_empty = NULL; // Managed method invocation try { EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5* managedArray = static_cast<EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5*>(GetManagedObjectInline()); il2cpp_array_size_t arrayLength = managedArray->max_length; if (arrayLength > 0) { return il2cpp_codegen_com_handle_invalid_ipropertyarray_conversion("OtherArray", "Other", "Guid", 0); } ____value0_empty = NULL; } catch (const Il2CppExceptionWrapper& ex) { String_t* exceptionStr = NULL; try { exceptionStr = VirtFuncInvoker0< String_t* >::Invoke(3 /* System.String System.Object::ToString() */, ex.ex); } catch (const Il2CppExceptionWrapper&) { exceptionStr = ((String_t_StaticFields*)il2cpp_codegen_static_fields_for(String_t_il2cpp_TypeInfo_var))->get_Empty_5(); } il2cpp_codegen_store_exception_info(ex.ex, exceptionStr); return ex.ex->hresult; } // Marshaling of parameter '___value0' back from managed representation if (____value0_empty != NULL) { *___value0ArraySize = static_cast<uint32_t>((____value0_empty)->max_length); *___value0 = il2cpp_codegen_marshal_allocate_array<Guid_t >(static_cast<int32_t>(*___value0ArraySize)); for (int32_t i = 0; i < ARRAY_LENGTH_AS_INT32(static_cast<int32_t>(*___value0ArraySize)); i++) { (*___value0)[i] = (____value0_empty)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i)); } } else { *___value0ArraySize = 0; *___value0 = NULL; } return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetDateTimeArray_m6034A0D68EC7E2BD093A76C45BC15F8A2C4A9399(uint32_t* ___value0ArraySize, DateTime_t9D0F9E236B6200FF6413DD837230D25E285E7795 ** ___value0) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "DateTimeOffset[]"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetTimeSpanArray_m9DA46A07FE5FDC63435A13AB6D0ED4BFC27D6937(uint32_t* ___value0ArraySize, TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ** ___value0) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "TimeSpan[]"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetPointArray_mAA9D45EF50AD3D78B725BD20460FFE87205C4DB3(uint32_t* ___value0ArraySize, Point_t7C3010F37F6E9DB2B792BBDAFF58C3232A3356AC ** ___value0) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Point[]"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetSizeArray_m82A3EF5E089F7CD94188D15910F78F8DD7445FFB(uint32_t* ___value0ArraySize, Size_tBE9F75FCA10276DC3998237A8906733B64FB75A2 ** ___value0) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Size[]"); } virtual il2cpp_hresult_t STDCALL IPropertyValue_GetRectArray_m6D1A32BFF9FA7E6C3DBB9200322BDE50CF1196F3(uint32_t* ___value0ArraySize, Rect_tD277A11EF3F3CC633796B8FF0BC4822826E72BB0 ** ___value0) IL2CPP_OVERRIDE { return il2cpp_codegen_com_handle_invalid_iproperty_conversion("OtherArray", "Rect[]"); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EventRegistrationTokenU5BU5D_t78409A73B315F83096A8D54C0F2B04DEBCFEC5E5_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>[] struct KeyValuePair_2U5BU5D_t874539E8F90CFCB10C2DEF898A71C27EDBDA880A_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t874539E8F90CFCB10C2DEF898A71C27EDBDA880A_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_t874539E8F90CFCB10C2DEF898A71C27EDBDA880A_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t874539E8F90CFCB10C2DEF898A71C27EDBDA880A_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_t874539E8F90CFCB10C2DEF898A71C27EDBDA880A(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_t874539E8F90CFCB10C2DEF898A71C27EDBDA880A_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_t874539E8F90CFCB10C2DEF898A71C27EDBDA880A_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList[] struct EventRegistrationTokenListU5BU5D_t1EA0FC1ACA390085AA58BF7B5F9785AFC6E6B9DA_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EventRegistrationTokenListU5BU5D_t1EA0FC1ACA390085AA58BF7B5F9785AFC6E6B9DA_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EventRegistrationTokenListU5BU5D_t1EA0FC1ACA390085AA58BF7B5F9785AFC6E6B9DA_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EventRegistrationTokenListU5BU5D_t1EA0FC1ACA390085AA58BF7B5F9785AFC6E6B9DA_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EventRegistrationTokenListU5BU5D_t1EA0FC1ACA390085AA58BF7B5F9785AFC6E6B9DA(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EventRegistrationTokenListU5BU5D_t1EA0FC1ACA390085AA58BF7B5F9785AFC6E6B9DA_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EventRegistrationTokenListU5BU5D_t1EA0FC1ACA390085AA58BF7B5F9785AFC6E6B9DA_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>[] struct EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EntryU5BU5D_tA1D9BC634084146216DDFCD6BD8AD0B3E0FFBABE_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2_Entry<System.Reflection.MethodInfo,System.Collections.Generic.Dictionary`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>>[] struct EntryU5BU5D_t192B2E0E317C48C054DE7FA9815563A00A965868_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EntryU5BU5D_t192B2E0E317C48C054DE7FA9815563A00A965868_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EntryU5BU5D_t192B2E0E317C48C054DE7FA9815563A00A965868_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EntryU5BU5D_t192B2E0E317C48C054DE7FA9815563A00A965868_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EntryU5BU5D_t192B2E0E317C48C054DE7FA9815563A00A965868(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EntryU5BU5D_t192B2E0E317C48C054DE7FA9815563A00A965868_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EntryU5BU5D_t192B2E0E317C48C054DE7FA9815563A00A965868_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>[] struct Dictionary_2U5BU5D_tD3309DB65D0F07B7A2F94263B5CD68565F2FAD57_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<Dictionary_2U5BU5D_tD3309DB65D0F07B7A2F94263B5CD68565F2FAD57_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline Dictionary_2U5BU5D_tD3309DB65D0F07B7A2F94263B5CD68565F2FAD57_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<Dictionary_2U5BU5D_tD3309DB65D0F07B7A2F94263B5CD68565F2FAD57_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(6); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F::IID; interfaceIds[2] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[3] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[4] = IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A::IID; interfaceIds[5] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 6; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_mFFB1B49776648BCFAE14E56BCC852C171A2EED56(IIterator_1_t62801DBDE6FD9C74727BB69771A29FE27EFE219A** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_mFFB1B49776648BCFAE14E56BCC852C171A2EED56_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mE92F40A15F7A4160BC73DC34BE2B952CCB6A6CC9(uint32_t ___index0, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mE92F40A15F7A4160BC73DC34BE2B952CCB6A6CC9_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m6C9A5EB233BDD0D6840D71594DBEC7005E572679(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m6C9A5EB233BDD0D6840D71594DBEC7005E572679_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m624FC07BF1FB0CE5A3988E9DC8FE4F4DEFA7BB19(IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m624FC07BF1FB0CE5A3988E9DC8FE4F4DEFA7BB19_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_mA6B7C5129191F9FABD887800915DB7D141B7BA3D(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_mA6B7C5129191F9FABD887800915DB7D141B7BA3D_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_Dictionary_2U5BU5D_tD3309DB65D0F07B7A2F94263B5CD68565F2FAD57(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(Dictionary_2U5BU5D_tD3309DB65D0F07B7A2F94263B5CD68565F2FAD57_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) Dictionary_2U5BU5D_tD3309DB65D0F07B7A2F94263B5CD68565F2FAD57_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.IDictionary[] struct IDictionaryU5BU5D_t748B6A2E31F1F1AA03A176863C763924A5F4F72D_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<IDictionaryU5BU5D_t748B6A2E31F1F1AA03A176863C763924A5F4F72D_ComCallableWrapper>, IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline IDictionaryU5BU5D_t748B6A2E31F1F1AA03A176863C763924A5F4F72D_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<IDictionaryU5BU5D_t748B6A2E31F1F1AA03A176863C763924A5F4F72D_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_mFFB1B49776648BCFAE14E56BCC852C171A2EED56(IIterator_1_t62801DBDE6FD9C74727BB69771A29FE27EFE219A** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_mFFB1B49776648BCFAE14E56BCC852C171A2EED56_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mE92F40A15F7A4160BC73DC34BE2B952CCB6A6CC9(uint32_t ___index0, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mE92F40A15F7A4160BC73DC34BE2B952CCB6A6CC9_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m6C9A5EB233BDD0D6840D71594DBEC7005E572679(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m6C9A5EB233BDD0D6840D71594DBEC7005E572679_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m624FC07BF1FB0CE5A3988E9DC8FE4F4DEFA7BB19(IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m624FC07BF1FB0CE5A3988E9DC8FE4F4DEFA7BB19_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_mA6B7C5129191F9FABD887800915DB7D141B7BA3D(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_mA6B7C5129191F9FABD887800915DB7D141B7BA3D_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_IDictionaryU5BU5D_t748B6A2E31F1F1AA03A176863C763924A5F4F72D(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(IDictionaryU5BU5D_t748B6A2E31F1F1AA03A176863C763924A5F4F72D_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) IDictionaryU5BU5D_t748B6A2E31F1F1AA03A176863C763924A5F4F72D_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.Reflection.MethodInfo,System.Collections.Generic.Dictionary`2<System.Object,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_EventRegistrationTokenList>>[] struct KeyValuePair_2U5BU5D_tF0FB359B2C5A4EE870CEE05564EAD5BA77A4EABA_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_tF0FB359B2C5A4EE870CEE05564EAD5BA77A4EABA_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_tF0FB359B2C5A4EE870CEE05564EAD5BA77A4EABA_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_tF0FB359B2C5A4EE870CEE05564EAD5BA77A4EABA_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_tF0FB359B2C5A4EE870CEE05564EAD5BA77A4EABA(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_tF0FB359B2C5A4EE870CEE05564EAD5BA77A4EABA_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_tF0FB359B2C5A4EE870CEE05564EAD5BA77A4EABA_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheKey,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheEntry>[] struct KeyValuePair_2U5BU5D_t4513DEBBCAD0B554A63F23BAC781585139930E6F_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t4513DEBBCAD0B554A63F23BAC781585139930E6F_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_t4513DEBBCAD0B554A63F23BAC781585139930E6F_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t4513DEBBCAD0B554A63F23BAC781585139930E6F_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_t4513DEBBCAD0B554A63F23BAC781585139930E6F(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_t4513DEBBCAD0B554A63F23BAC781585139930E6F_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_t4513DEBBCAD0B554A63F23BAC781585139930E6F_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheKey[] struct EventCacheKeyU5BU5D_tCF6AAC58B44EE3AFAA3A7E0067CB3054F4780917_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EventCacheKeyU5BU5D_tCF6AAC58B44EE3AFAA3A7E0067CB3054F4780917_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EventCacheKeyU5BU5D_tCF6AAC58B44EE3AFAA3A7E0067CB3054F4780917_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EventCacheKeyU5BU5D_tCF6AAC58B44EE3AFAA3A7E0067CB3054F4780917_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EventCacheKeyU5BU5D_tCF6AAC58B44EE3AFAA3A7E0067CB3054F4780917(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EventCacheKeyU5BU5D_tCF6AAC58B44EE3AFAA3A7E0067CB3054F4780917_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EventCacheKeyU5BU5D_tCF6AAC58B44EE3AFAA3A7E0067CB3054F4780917_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheEntry[] struct EventCacheEntryU5BU5D_t0BB379F5197C121A563B0B1157E20269DCD426F0_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EventCacheEntryU5BU5D_t0BB379F5197C121A563B0B1157E20269DCD426F0_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EventCacheEntryU5BU5D_t0BB379F5197C121A563B0B1157E20269DCD426F0_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EventCacheEntryU5BU5D_t0BB379F5197C121A563B0B1157E20269DCD426F0_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EventCacheEntryU5BU5D_t0BB379F5197C121A563B0B1157E20269DCD426F0(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EventCacheEntryU5BU5D_t0BB379F5197C121A563B0B1157E20269DCD426F0_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EventCacheEntryU5BU5D_t0BB379F5197C121A563B0B1157E20269DCD426F0_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2_Entry<System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheKey,System.Runtime.InteropServices.WindowsRuntime.WindowsRuntimeMarshal_NativeOrStaticEventRegistrationImpl_EventCacheEntry>[] struct EntryU5BU5D_tAC5BED8A08F53471095667772D19D235316BBD3E_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tAC5BED8A08F53471095667772D19D235316BBD3E_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EntryU5BU5D_tAC5BED8A08F53471095667772D19D235316BBD3E_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tAC5BED8A08F53471095667772D19D235316BBD3E_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EntryU5BU5D_tAC5BED8A08F53471095667772D19D235316BBD3E(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EntryU5BU5D_tAC5BED8A08F53471095667772D19D235316BBD3E_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EntryU5BU5D_tAC5BED8A08F53471095667772D19D235316BBD3E_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Hashtable_bucket[] struct bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) bucketU5BU5D_t6FF2C2C4B21F2206885CD19A78F68B874C8DC84A_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.KeyValuePairs[] struct KeyValuePairsU5BU5D_tF17967313356B9717F99870B41620E8D73106290_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePairsU5BU5D_tF17967313356B9717F99870B41620E8D73106290_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePairsU5BU5D_tF17967313356B9717F99870B41620E8D73106290_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePairsU5BU5D_tF17967313356B9717F99870B41620E8D73106290_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePairsU5BU5D_tF17967313356B9717F99870B41620E8D73106290(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePairsU5BU5D_tF17967313356B9717F99870B41620E8D73106290_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePairsU5BU5D_tF17967313356B9717F99870B41620E8D73106290_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Concurrent.ConcurrentQueue`1_Segment_Slot<System.Object>[] struct SlotU5BU5D_t939FE2327F0FD4530A5F6F280EAA0C0EB290C652_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<SlotU5BU5D_t939FE2327F0FD4530A5F6F280EAA0C0EB290C652_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline SlotU5BU5D_t939FE2327F0FD4530A5F6F280EAA0C0EB290C652_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<SlotU5BU5D_t939FE2327F0FD4530A5F6F280EAA0C0EB290C652_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_SlotU5BU5D_t939FE2327F0FD4530A5F6F280EAA0C0EB290C652(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(SlotU5BU5D_t939FE2327F0FD4530A5F6F280EAA0C0EB290C652_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) SlotU5BU5D_t939FE2327F0FD4530A5F6F280EAA0C0EB290C652_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.StackFrame[] struct StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) StackFrameU5BU5D_t5075A2805A51162E94A9CF2F2881DC51B78EA80D_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAnalysis[] struct PropertyAnalysisU5BU5D_t09688E0B42BB5496A80C66F12C2550CA072E2FFB_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAnalysisU5BU5D_t09688E0B42BB5496A80C66F12C2550CA072E2FFB_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAnalysisU5BU5D_t09688E0B42BB5496A80C66F12C2550CA072E2FFB_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAnalysisU5BU5D_t09688E0B42BB5496A80C66F12C2550CA072E2FFB_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAnalysisU5BU5D_t09688E0B42BB5496A80C66F12C2550CA072E2FFB(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAnalysisU5BU5D_t09688E0B42BB5496A80C66F12C2550CA072E2FFB_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAnalysisU5BU5D_t09688E0B42BB5496A80C66F12C2550CA072E2FFB_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Object>[] struct PropertyAccessor_1U5BU5D_tF41489193DEABF7A3791FA30E9420AD5C8F88116_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tF41489193DEABF7A3791FA30E9420AD5C8F88116_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_tF41489193DEABF7A3791FA30E9420AD5C8F88116_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tF41489193DEABF7A3791FA30E9420AD5C8F88116_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_tF41489193DEABF7A3791FA30E9420AD5C8F88116(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_tF41489193DEABF7A3791FA30E9420AD5C8F88116_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_tF41489193DEABF7A3791FA30E9420AD5C8F88116_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Int64>[] struct PropertyAccessor_1U5BU5D_t2D7AD1CC69AD124C7213EAB3CBAE90092547AFB8_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t2D7AD1CC69AD124C7213EAB3CBAE90092547AFB8_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t2D7AD1CC69AD124C7213EAB3CBAE90092547AFB8_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t2D7AD1CC69AD124C7213EAB3CBAE90092547AFB8_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t2D7AD1CC69AD124C7213EAB3CBAE90092547AFB8(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t2D7AD1CC69AD124C7213EAB3CBAE90092547AFB8_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t2D7AD1CC69AD124C7213EAB3CBAE90092547AFB8_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Int32>[] struct PropertyAccessor_1U5BU5D_tA1A5D851306F095D5FDBD238CE7780077DBE483E_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tA1A5D851306F095D5FDBD238CE7780077DBE483E_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_tA1A5D851306F095D5FDBD238CE7780077DBE483E_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tA1A5D851306F095D5FDBD238CE7780077DBE483E_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_tA1A5D851306F095D5FDBD238CE7780077DBE483E(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_tA1A5D851306F095D5FDBD238CE7780077DBE483E_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_tA1A5D851306F095D5FDBD238CE7780077DBE483E_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Diagnostics.Tracing.EmptyStruct>[] struct PropertyAccessor_1U5BU5D_tC6A49FE868920EA1C574DFC56800A4C2447E6B33_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tC6A49FE868920EA1C574DFC56800A4C2447E6B33_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_tC6A49FE868920EA1C574DFC56800A4C2447E6B33_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tC6A49FE868920EA1C574DFC56800A4C2447E6B33_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_tC6A49FE868920EA1C574DFC56800A4C2447E6B33(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_tC6A49FE868920EA1C574DFC56800A4C2447E6B33_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_tC6A49FE868920EA1C574DFC56800A4C2447E6B33_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Boolean>[] struct PropertyAccessor_1U5BU5D_t0344EA271D17E33B12F63AA0E4D7081F7FD8E1AE_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t0344EA271D17E33B12F63AA0E4D7081F7FD8E1AE_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t0344EA271D17E33B12F63AA0E4D7081F7FD8E1AE_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t0344EA271D17E33B12F63AA0E4D7081F7FD8E1AE_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t0344EA271D17E33B12F63AA0E4D7081F7FD8E1AE(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t0344EA271D17E33B12F63AA0E4D7081F7FD8E1AE_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t0344EA271D17E33B12F63AA0E4D7081F7FD8E1AE_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Byte>[] struct PropertyAccessor_1U5BU5D_t195F0F36811F05C10CA87BAA1D4FC062F8A2350E_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t195F0F36811F05C10CA87BAA1D4FC062F8A2350E_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t195F0F36811F05C10CA87BAA1D4FC062F8A2350E_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t195F0F36811F05C10CA87BAA1D4FC062F8A2350E_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t195F0F36811F05C10CA87BAA1D4FC062F8A2350E(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t195F0F36811F05C10CA87BAA1D4FC062F8A2350E_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t195F0F36811F05C10CA87BAA1D4FC062F8A2350E_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.SByte>[] struct PropertyAccessor_1U5BU5D_t85430067C5DB497B78E50EC645FA7AC26A6E9D15_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t85430067C5DB497B78E50EC645FA7AC26A6E9D15_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t85430067C5DB497B78E50EC645FA7AC26A6E9D15_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t85430067C5DB497B78E50EC645FA7AC26A6E9D15_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t85430067C5DB497B78E50EC645FA7AC26A6E9D15(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t85430067C5DB497B78E50EC645FA7AC26A6E9D15_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t85430067C5DB497B78E50EC645FA7AC26A6E9D15_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Int16>[] struct PropertyAccessor_1U5BU5D_t3DECFBC719A5C5BB4DB90E007C7A23EDFDCE6FEA_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t3DECFBC719A5C5BB4DB90E007C7A23EDFDCE6FEA_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t3DECFBC719A5C5BB4DB90E007C7A23EDFDCE6FEA_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t3DECFBC719A5C5BB4DB90E007C7A23EDFDCE6FEA_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t3DECFBC719A5C5BB4DB90E007C7A23EDFDCE6FEA(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t3DECFBC719A5C5BB4DB90E007C7A23EDFDCE6FEA_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t3DECFBC719A5C5BB4DB90E007C7A23EDFDCE6FEA_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt16>[] struct PropertyAccessor_1U5BU5D_t3FF9EB537E7BA2BF324F46D2E1C584FAE5E7D96F_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t3FF9EB537E7BA2BF324F46D2E1C584FAE5E7D96F_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t3FF9EB537E7BA2BF324F46D2E1C584FAE5E7D96F_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t3FF9EB537E7BA2BF324F46D2E1C584FAE5E7D96F_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t3FF9EB537E7BA2BF324F46D2E1C584FAE5E7D96F(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t3FF9EB537E7BA2BF324F46D2E1C584FAE5E7D96F_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t3FF9EB537E7BA2BF324F46D2E1C584FAE5E7D96F_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt32>[] struct PropertyAccessor_1U5BU5D_tF57AE5C1C779C05869943B1C16C894A2836E9C24_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tF57AE5C1C779C05869943B1C16C894A2836E9C24_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_tF57AE5C1C779C05869943B1C16C894A2836E9C24_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tF57AE5C1C779C05869943B1C16C894A2836E9C24_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_tF57AE5C1C779C05869943B1C16C894A2836E9C24(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_tF57AE5C1C779C05869943B1C16C894A2836E9C24_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_tF57AE5C1C779C05869943B1C16C894A2836E9C24_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.UInt64>[] struct PropertyAccessor_1U5BU5D_tEA8F518DB9B112A0A17907C845D7710346E62001_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tEA8F518DB9B112A0A17907C845D7710346E62001_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_tEA8F518DB9B112A0A17907C845D7710346E62001_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tEA8F518DB9B112A0A17907C845D7710346E62001_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_tEA8F518DB9B112A0A17907C845D7710346E62001(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_tEA8F518DB9B112A0A17907C845D7710346E62001_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_tEA8F518DB9B112A0A17907C845D7710346E62001_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.IntPtr>[] struct PropertyAccessor_1U5BU5D_t3C8C0961507B88D67EA2C49E216118B14501313A_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t3C8C0961507B88D67EA2C49E216118B14501313A_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t3C8C0961507B88D67EA2C49E216118B14501313A_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t3C8C0961507B88D67EA2C49E216118B14501313A_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t3C8C0961507B88D67EA2C49E216118B14501313A(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t3C8C0961507B88D67EA2C49E216118B14501313A_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t3C8C0961507B88D67EA2C49E216118B14501313A_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.UIntPtr>[] struct PropertyAccessor_1U5BU5D_t77A35E35098D46F12371B5D926D9EAB7513E01A3_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t77A35E35098D46F12371B5D926D9EAB7513E01A3_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t77A35E35098D46F12371B5D926D9EAB7513E01A3_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t77A35E35098D46F12371B5D926D9EAB7513E01A3_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t77A35E35098D46F12371B5D926D9EAB7513E01A3(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t77A35E35098D46F12371B5D926D9EAB7513E01A3_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t77A35E35098D46F12371B5D926D9EAB7513E01A3_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Double>[] struct PropertyAccessor_1U5BU5D_t603AE210B47C7E236734AD3F81CCFDC00F7A13B3_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t603AE210B47C7E236734AD3F81CCFDC00F7A13B3_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t603AE210B47C7E236734AD3F81CCFDC00F7A13B3_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t603AE210B47C7E236734AD3F81CCFDC00F7A13B3_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t603AE210B47C7E236734AD3F81CCFDC00F7A13B3(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t603AE210B47C7E236734AD3F81CCFDC00F7A13B3_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t603AE210B47C7E236734AD3F81CCFDC00F7A13B3_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Single>[] struct PropertyAccessor_1U5BU5D_t8BA926E8A82DD6E154771C0BE784F443F0002613_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t8BA926E8A82DD6E154771C0BE784F443F0002613_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t8BA926E8A82DD6E154771C0BE784F443F0002613_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t8BA926E8A82DD6E154771C0BE784F443F0002613_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t8BA926E8A82DD6E154771C0BE784F443F0002613(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t8BA926E8A82DD6E154771C0BE784F443F0002613_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t8BA926E8A82DD6E154771C0BE784F443F0002613_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Char>[] struct PropertyAccessor_1U5BU5D_tCA834308E5FFC40F4B1F58F3C3C4852E97DD8E71_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tCA834308E5FFC40F4B1F58F3C3C4852E97DD8E71_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_tCA834308E5FFC40F4B1F58F3C3C4852E97DD8E71_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tCA834308E5FFC40F4B1F58F3C3C4852E97DD8E71_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_tCA834308E5FFC40F4B1F58F3C3C4852E97DD8E71(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_tCA834308E5FFC40F4B1F58F3C3C4852E97DD8E71_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_tCA834308E5FFC40F4B1F58F3C3C4852E97DD8E71_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.UIntPtr[] struct UIntPtrU5BU5D_tD5404ABA0AA72923421D3F931F031EEEC654429E_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<UIntPtrU5BU5D_tD5404ABA0AA72923421D3F931F031EEEC654429E_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline UIntPtrU5BU5D_tD5404ABA0AA72923421D3F931F031EEEC654429E_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<UIntPtrU5BU5D_tD5404ABA0AA72923421D3F931F031EEEC654429E_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_UIntPtrU5BU5D_tD5404ABA0AA72923421D3F931F031EEEC654429E(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(UIntPtrU5BU5D_tD5404ABA0AA72923421D3F931F031EEEC654429E_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) UIntPtrU5BU5D_tD5404ABA0AA72923421D3F931F031EEEC654429E_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Guid>[] struct PropertyAccessor_1U5BU5D_tF6C2CAAFC925A4E800505C243936B2AFDE44CD78_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tF6C2CAAFC925A4E800505C243936B2AFDE44CD78_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_tF6C2CAAFC925A4E800505C243936B2AFDE44CD78_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tF6C2CAAFC925A4E800505C243936B2AFDE44CD78_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_tF6C2CAAFC925A4E800505C243936B2AFDE44CD78(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_tF6C2CAAFC925A4E800505C243936B2AFDE44CD78_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_tF6C2CAAFC925A4E800505C243936B2AFDE44CD78_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.DateTime>[] struct PropertyAccessor_1U5BU5D_t8DDBD16FE77A50AFA9DFB22D845C7A0CB7451AD8_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t8DDBD16FE77A50AFA9DFB22D845C7A0CB7451AD8_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t8DDBD16FE77A50AFA9DFB22D845C7A0CB7451AD8_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t8DDBD16FE77A50AFA9DFB22D845C7A0CB7451AD8_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t8DDBD16FE77A50AFA9DFB22D845C7A0CB7451AD8(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t8DDBD16FE77A50AFA9DFB22D845C7A0CB7451AD8_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t8DDBD16FE77A50AFA9DFB22D845C7A0CB7451AD8_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.DateTimeOffset>[] struct PropertyAccessor_1U5BU5D_tEE7E0DDEC0A7C0D66500B6148DC1D9F04A9D7955_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tEE7E0DDEC0A7C0D66500B6148DC1D9F04A9D7955_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_tEE7E0DDEC0A7C0D66500B6148DC1D9F04A9D7955_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tEE7E0DDEC0A7C0D66500B6148DC1D9F04A9D7955_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_tEE7E0DDEC0A7C0D66500B6148DC1D9F04A9D7955(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_tEE7E0DDEC0A7C0D66500B6148DC1D9F04A9D7955_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_tEE7E0DDEC0A7C0D66500B6148DC1D9F04A9D7955_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.TimeSpan>[] struct PropertyAccessor_1U5BU5D_tD1029E0A51A538E4B49A6CF1E1147534E60DCB56_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tD1029E0A51A538E4B49A6CF1E1147534E60DCB56_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_tD1029E0A51A538E4B49A6CF1E1147534E60DCB56_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tD1029E0A51A538E4B49A6CF1E1147534E60DCB56_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_tD1029E0A51A538E4B49A6CF1E1147534E60DCB56(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_tD1029E0A51A538E4B49A6CF1E1147534E60DCB56_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_tD1029E0A51A538E4B49A6CF1E1147534E60DCB56_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Decimal>[] struct PropertyAccessor_1U5BU5D_t73DC8E006EAFFF49F58BED828074A72E9B95A6FC_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t73DC8E006EAFFF49F58BED828074A72E9B95A6FC_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_t73DC8E006EAFFF49F58BED828074A72E9B95A6FC_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_t73DC8E006EAFFF49F58BED828074A72E9B95A6FC_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_t73DC8E006EAFFF49F58BED828074A72E9B95A6FC(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_t73DC8E006EAFFF49F58BED828074A72E9B95A6FC_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_t73DC8E006EAFFF49F58BED828074A72E9B95A6FC_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.PropertyAccessor`1<System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>>[] struct PropertyAccessor_1U5BU5D_tB736D31F533D493536F03E7A68604F14D22C5DE5_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tB736D31F533D493536F03E7A68604F14D22C5DE5_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyAccessor_1U5BU5D_tB736D31F533D493536F03E7A68604F14D22C5DE5_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyAccessor_1U5BU5D_tB736D31F533D493536F03E7A68604F14D22C5DE5_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyAccessor_1U5BU5D_tB736D31F533D493536F03E7A68604F14D22C5DE5(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyAccessor_1U5BU5D_tB736D31F533D493536F03E7A68604F14D22C5DE5_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyAccessor_1U5BU5D_tB736D31F533D493536F03E7A68604F14D22C5DE5_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.EventSource_EventMetadata[] struct EventMetadataU5BU5D_tA6A4B1FE9D3A53D9941A4C63D95399E4594ABE94_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EventMetadataU5BU5D_tA6A4B1FE9D3A53D9941A4C63D95399E4594ABE94_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EventMetadataU5BU5D_tA6A4B1FE9D3A53D9941A4C63D95399E4594ABE94_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EventMetadataU5BU5D_tA6A4B1FE9D3A53D9941A4C63D95399E4594ABE94_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EventMetadataU5BU5D_tA6A4B1FE9D3A53D9941A4C63D95399E4594ABE94(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EventMetadataU5BU5D_tA6A4B1FE9D3A53D9941A4C63D95399E4594ABE94_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EventMetadataU5BU5D_tA6A4B1FE9D3A53D9941A4C63D95399E4594ABE94_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.EtwSession[] struct EtwSessionU5BU5D_t8797EC7C4B69B091119AFD2A22F03049811748FA_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EtwSessionU5BU5D_t8797EC7C4B69B091119AFD2A22F03049811748FA_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EtwSessionU5BU5D_t8797EC7C4B69B091119AFD2A22F03049811748FA_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EtwSessionU5BU5D_t8797EC7C4B69B091119AFD2A22F03049811748FA_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EtwSessionU5BU5D_t8797EC7C4B69B091119AFD2A22F03049811748FA(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EtwSessionU5BU5D_t8797EC7C4B69B091119AFD2A22F03049811748FA_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EtwSessionU5BU5D_t8797EC7C4B69B091119AFD2A22F03049811748FA_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.TraceLoggingTypeInfo[] struct TraceLoggingTypeInfoU5BU5D_t1B6542B40A911FABF686F860C2F97C7E09FD08AC_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<TraceLoggingTypeInfoU5BU5D_t1B6542B40A911FABF686F860C2F97C7E09FD08AC_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline TraceLoggingTypeInfoU5BU5D_t1B6542B40A911FABF686F860C2F97C7E09FD08AC_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<TraceLoggingTypeInfoU5BU5D_t1B6542B40A911FABF686F860C2F97C7E09FD08AC_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_TraceLoggingTypeInfoU5BU5D_t1B6542B40A911FABF686F860C2F97C7E09FD08AC(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(TraceLoggingTypeInfoU5BU5D_t1B6542B40A911FABF686F860C2F97C7E09FD08AC_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) TraceLoggingTypeInfoU5BU5D_t1B6542B40A911FABF686F860C2F97C7E09FD08AC_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.WeakReference[] struct WeakReferenceU5BU5D_t1F1010FFAFED92D05022B7B2927DFA0E1F114648_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<WeakReferenceU5BU5D_t1F1010FFAFED92D05022B7B2927DFA0E1F114648_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline WeakReferenceU5BU5D_t1F1010FFAFED92D05022B7B2927DFA0E1F114648_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<WeakReferenceU5BU5D_t1F1010FFAFED92D05022B7B2927DFA0E1F114648_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_WeakReferenceU5BU5D_t1F1010FFAFED92D05022B7B2927DFA0E1F114648(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(WeakReferenceU5BU5D_t1F1010FFAFED92D05022B7B2927DFA0E1F114648_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) WeakReferenceU5BU5D_t1F1010FFAFED92D05022B7B2927DFA0E1F114648_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Tuple`2<System.Int32,System.Int32>[] struct Tuple_2U5BU5D_tAF2E50753EFC1B403E3794EC8D085724169D6513_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<Tuple_2U5BU5D_tAF2E50753EFC1B403E3794EC8D085724169D6513_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline Tuple_2U5BU5D_tAF2E50753EFC1B403E3794EC8D085724169D6513_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<Tuple_2U5BU5D_tAF2E50753EFC1B403E3794EC8D085724169D6513_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_Tuple_2U5BU5D_tAF2E50753EFC1B403E3794EC8D085724169D6513(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(Tuple_2U5BU5D_tAF2E50753EFC1B403E3794EC8D085724169D6513_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) Tuple_2U5BU5D_tAF2E50753EFC1B403E3794EC8D085724169D6513_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.ITupleInternal[] struct ITupleInternalU5BU5D_t8885514CCC735B76B6AC7402269CD7C35E9BC87D_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<ITupleInternalU5BU5D_t8885514CCC735B76B6AC7402269CD7C35E9BC87D_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline ITupleInternalU5BU5D_t8885514CCC735B76B6AC7402269CD7C35E9BC87D_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<ITupleInternalU5BU5D_t8885514CCC735B76B6AC7402269CD7C35E9BC87D_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_ITupleInternalU5BU5D_t8885514CCC735B76B6AC7402269CD7C35E9BC87D(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(ITupleInternalU5BU5D_t8885514CCC735B76B6AC7402269CD7C35E9BC87D_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) ITupleInternalU5BU5D_t8885514CCC735B76B6AC7402269CD7C35E9BC87D_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.NameInfo[] struct NameInfoU5BU5D_t90BE93F86BB5CC5274C6ED53B8BB62D1E10A7EE7_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<NameInfoU5BU5D_t90BE93F86BB5CC5274C6ED53B8BB62D1E10A7EE7_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline NameInfoU5BU5D_t90BE93F86BB5CC5274C6ED53B8BB62D1E10A7EE7_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<NameInfoU5BU5D_t90BE93F86BB5CC5274C6ED53B8BB62D1E10A7EE7_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_NameInfoU5BU5D_t90BE93F86BB5CC5274C6ED53B8BB62D1E10A7EE7(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(NameInfoU5BU5D_t90BE93F86BB5CC5274C6ED53B8BB62D1E10A7EE7_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) NameInfoU5BU5D_t90BE93F86BB5CC5274C6ED53B8BB62D1E10A7EE7_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.ConcurrentSetItem`2<System.Collections.Generic.KeyValuePair`2<System.String,System.Diagnostics.Tracing.EventTags>,System.Diagnostics.Tracing.NameInfo>[] struct ConcurrentSetItem_2U5BU5D_tC278453C1AF702B8BFFE187E54373E016707501C_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<ConcurrentSetItem_2U5BU5D_tC278453C1AF702B8BFFE187E54373E016707501C_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline ConcurrentSetItem_2U5BU5D_tC278453C1AF702B8BFFE187E54373E016707501C_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<ConcurrentSetItem_2U5BU5D_tC278453C1AF702B8BFFE187E54373E016707501C_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_ConcurrentSetItem_2U5BU5D_tC278453C1AF702B8BFFE187E54373E016707501C(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(ConcurrentSetItem_2U5BU5D_tC278453C1AF702B8BFFE187E54373E016707501C_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) ConcurrentSetItem_2U5BU5D_tC278453C1AF702B8BFFE187E54373E016707501C_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.FieldMetadata[] struct FieldMetadataU5BU5D_tBDB9B5E46662C93C301E095F1DC2B0B1B8FE9796_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<FieldMetadataU5BU5D_tBDB9B5E46662C93C301E095F1DC2B0B1B8FE9796_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline FieldMetadataU5BU5D_tBDB9B5E46662C93C301E095F1DC2B0B1B8FE9796_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<FieldMetadataU5BU5D_tBDB9B5E46662C93C301E095F1DC2B0B1B8FE9796_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_FieldMetadataU5BU5D_tBDB9B5E46662C93C301E095F1DC2B0B1B8FE9796(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(FieldMetadataU5BU5D_tBDB9B5E46662C93C301E095F1DC2B0B1B8FE9796_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) FieldMetadataU5BU5D_tBDB9B5E46662C93C301E095F1DC2B0B1B8FE9796_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Diagnostics.Tracing.EventProvider_SessionInfo[] struct SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Tuple`2<System.Diagnostics.Tracing.EventProvider_SessionInfo,System.Boolean>[] struct Tuple_2U5BU5D_t07F0E680B0947178F09CAF66896A10E34ACB3627_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<Tuple_2U5BU5D_t07F0E680B0947178F09CAF66896A10E34ACB3627_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline Tuple_2U5BU5D_t07F0E680B0947178F09CAF66896A10E34ACB3627_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<Tuple_2U5BU5D_t07F0E680B0947178F09CAF66896A10E34ACB3627_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_Tuple_2U5BU5D_t07F0E680B0947178F09CAF66896A10E34ACB3627(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(Tuple_2U5BU5D_t07F0E680B0947178F09CAF66896A10E34ACB3627_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) Tuple_2U5BU5D_t07F0E680B0947178F09CAF66896A10E34ACB3627_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Runtime.InteropServices.GCHandle[] struct GCHandleU5BU5D_tA6EC6308F1B33AD5233BD26DE6FB431B6CEF1DB7_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<GCHandleU5BU5D_tA6EC6308F1B33AD5233BD26DE6FB431B6CEF1DB7_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline GCHandleU5BU5D_tA6EC6308F1B33AD5233BD26DE6FB431B6CEF1DB7_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<GCHandleU5BU5D_tA6EC6308F1B33AD5233BD26DE6FB431B6CEF1DB7_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_GCHandleU5BU5D_tA6EC6308F1B33AD5233BD26DE6FB431B6CEF1DB7(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(GCHandleU5BU5D_tA6EC6308F1B33AD5233BD26DE6FB431B6CEF1DB7_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) GCHandleU5BU5D_tA6EC6308F1B33AD5233BD26DE6FB431B6CEF1DB7_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>[] struct KeyValuePair_2U5BU5D_t7FAEDA541660EE14F76C26D48E51C98634127BF7_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t7FAEDA541660EE14F76C26D48E51C98634127BF7_ComCallableWrapper>, IVector_1_tFEF7F9DA29948B44DA7893B2C9EB8FF6BEEC2C4D, IIterable_1_t90987ECDCBD7C77E6BDFF16CD5ED991149362CAF, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_tBDAB91BD4A726AA8106B0AE077F3E78FA4ABB42F, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_t7FAEDA541660EE14F76C26D48E51C98634127BF7_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t7FAEDA541660EE14F76C26D48E51C98634127BF7_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVector_1_tFEF7F9DA29948B44DA7893B2C9EB8FF6BEEC2C4D::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVector_1_tFEF7F9DA29948B44DA7893B2C9EB8FF6BEEC2C4D*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_t90987ECDCBD7C77E6BDFF16CD5ED991149362CAF::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_t90987ECDCBD7C77E6BDFF16CD5ED991149362CAF*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_tBDAB91BD4A726AA8106B0AE077F3E78FA4ABB42F::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_tBDAB91BD4A726AA8106B0AE077F3E78FA4ABB42F*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(5); interfaceIds[0] = IVector_1_tFEF7F9DA29948B44DA7893B2C9EB8FF6BEEC2C4D::IID; interfaceIds[1] = IIterable_1_t90987ECDCBD7C77E6BDFF16CD5ED991149362CAF::IID; interfaceIds[2] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[3] = IVectorView_1_tBDAB91BD4A726AA8106B0AE077F3E78FA4ABB42F::IID; interfaceIds[4] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 5; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_m4D69EFC63C99361B0BB19D5C6534E5A59A1F1458(uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetAt_m4D69EFC63C99361B0BB19D5C6534E5A59A1F1458_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_m8885F357990CC636A047146BB17C77A0BB4611FF(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_get_Size_m8885F357990CC636A047146BB17C77A0BB4611FF_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_GetView_m88AC336697A62558F5DE5899107FBAE051A20E8D(IVectorView_1_tBDAB91BD4A726AA8106B0AE077F3E78FA4ABB42F** comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetView_m88AC336697A62558F5DE5899107FBAE051A20E8D_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_m00F15A95BD6C1279B1DE31748E1CE4292077DDC0(IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_IndexOf_m00F15A95BD6C1279B1DE31748E1CE4292077DDC0_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_m510EDE7ED1B15F06F62709BC4216CDEA6538038A(uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value1) IL2CPP_OVERRIDE { return IVector_1_SetAt_m510EDE7ED1B15F06F62709BC4216CDEA6538038A_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_mD53D53857E06A314F0D0CBB670DD9DD75E2DD2FE(uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value1) IL2CPP_OVERRIDE { return IVector_1_InsertAt_mD53D53857E06A314F0D0CBB670DD9DD75E2DD2FE_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_m49E68BAF41C1A5019A5E5633F8CBDDF9DD8E6212(uint32_t ___index0) IL2CPP_OVERRIDE { return IVector_1_RemoveAt_m49E68BAF41C1A5019A5E5633F8CBDDF9DD8E6212_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IVector_1_Append_m875891B6884E6E9E051F4B4962867194F942AB91(IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value0) IL2CPP_OVERRIDE { return IVector_1_Append_m875891B6884E6E9E051F4B4962867194F942AB91_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_m3D6D6E0E727D38394D9ED10081BACDE12763F237() IL2CPP_OVERRIDE { return IVector_1_RemoveAtEnd_m3D6D6E0E727D38394D9ED10081BACDE12763F237_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_Clear_m585F67470BCFA411B47E5EDAA2F5B61DC47F37D6() IL2CPP_OVERRIDE { return IVector_1_Clear_m585F67470BCFA411B47E5EDAA2F5B61DC47F37D6_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_mD266D205B5D0E10768BDC2776C773EE828281109(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetMany_mD266D205B5D0E10768BDC2776C773EE828281109_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_mC5399B7F8E8CAB772091BD244489741457D30491(uint32_t ___items0ArraySize, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** ___items0) IL2CPP_OVERRIDE { return IVector_1_ReplaceAll_mC5399B7F8E8CAB772091BD244489741457D30491_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___items0ArraySize, ___items0); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m33BF2BEBCAC5E9EBB60FE61CEA4A6101811956FC(IIterator_1_tBA936F7881A5A840CF1B4B2DF937773E7FDCA037** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m33BF2BEBCAC5E9EBB60FE61CEA4A6101811956FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m2FFC0149A8C59F151B6A10401955C4666E76B782(uint32_t ___index0, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_m2FFC0149A8C59F151B6A10401955C4666E76B782_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_mF9728760FD2B462B6E403376E4532C5F63A75CCB(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_mF9728760FD2B462B6E403376E4532C5F63A75CCB_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_mC5E2D14FBB1A97EBF6B6E8AE4F3596B7629AE7B1(IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_mC5E2D14FBB1A97EBF6B6E8AE4F3596B7629AE7B1_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m4B1B66F6C8E90CA6509B458A64F8DFA74F87A2F1(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tD6DC6F4EA9D0A683CA1DD003D8553780D9D66695** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m4B1B66F6C8E90CA6509B458A64F8DFA74F87A2F1_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_t7FAEDA541660EE14F76C26D48E51C98634127BF7(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_t7FAEDA541660EE14F76C26D48E51C98634127BF7_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_t7FAEDA541660EE14F76C26D48E51C98634127BF7_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.Guid,System.Int32>[] struct NodeU5BU5D_t76D94D749A2EF1CFE3BD38B8063295B1CC903733_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<NodeU5BU5D_t76D94D749A2EF1CFE3BD38B8063295B1CC903733_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline NodeU5BU5D_t76D94D749A2EF1CFE3BD38B8063295B1CC903733_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<NodeU5BU5D_t76D94D749A2EF1CFE3BD38B8063295B1CC903733_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_NodeU5BU5D_t76D94D749A2EF1CFE3BD38B8063295B1CC903733(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(NodeU5BU5D_t76D94D749A2EF1CFE3BD38B8063295B1CC903733_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) NodeU5BU5D_t76D94D749A2EF1CFE3BD38B8063295B1CC903733_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>[] struct KeyValuePair_2U5BU5D_t920EB0A30DD5CE3BAAF02931D1ABDF93367AC84A_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t920EB0A30DD5CE3BAAF02931D1ABDF93367AC84A_ComCallableWrapper>, IVector_1_t43C0F5DE295FA18FE874FAE9C59859C1076B490A, IIterable_1_t5C4A5054D9907970DC1297CE05EFABE96CBA9715, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_tD6D0F50A474BF45FA151737392BAEB6E3AEAE1FB, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_t920EB0A30DD5CE3BAAF02931D1ABDF93367AC84A_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t920EB0A30DD5CE3BAAF02931D1ABDF93367AC84A_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVector_1_t43C0F5DE295FA18FE874FAE9C59859C1076B490A::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVector_1_t43C0F5DE295FA18FE874FAE9C59859C1076B490A*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_t5C4A5054D9907970DC1297CE05EFABE96CBA9715::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_t5C4A5054D9907970DC1297CE05EFABE96CBA9715*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_tD6D0F50A474BF45FA151737392BAEB6E3AEAE1FB::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_tD6D0F50A474BF45FA151737392BAEB6E3AEAE1FB*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(5); interfaceIds[0] = IVector_1_t43C0F5DE295FA18FE874FAE9C59859C1076B490A::IID; interfaceIds[1] = IIterable_1_t5C4A5054D9907970DC1297CE05EFABE96CBA9715::IID; interfaceIds[2] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[3] = IVectorView_1_tD6D0F50A474BF45FA151737392BAEB6E3AEAE1FB::IID; interfaceIds[4] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 5; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_m9585AD35A942D29BB864FB78565D1144B8730ACE(uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetAt_m9585AD35A942D29BB864FB78565D1144B8730ACE_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_mB93A48AD20FE3ADBF8CA29821990989648B07D8C(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_get_Size_mB93A48AD20FE3ADBF8CA29821990989648B07D8C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_GetView_m5E632D03E5D61FB91B12316FEEA2C46273F184B4(IVectorView_1_tD6D0F50A474BF45FA151737392BAEB6E3AEAE1FB** comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetView_m5E632D03E5D61FB91B12316FEEA2C46273F184B4_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_mA31E516B9FD904C14124D9F11597DFE88192636E(IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_IndexOf_mA31E516B9FD904C14124D9F11597DFE88192636E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_mAABE70B8512C9DACCDB8B894CF0ECADFBA321103(uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value1) IL2CPP_OVERRIDE { return IVector_1_SetAt_mAABE70B8512C9DACCDB8B894CF0ECADFBA321103_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_m6783B33D3E53E3BE6E394DBF926075D02349B848(uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value1) IL2CPP_OVERRIDE { return IVector_1_InsertAt_m6783B33D3E53E3BE6E394DBF926075D02349B848_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_m7DB77D8B1C29B0AC9086B0DE31A610E323E23753(uint32_t ___index0) IL2CPP_OVERRIDE { return IVector_1_RemoveAt_m7DB77D8B1C29B0AC9086B0DE31A610E323E23753_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IVector_1_Append_m309EB720D967EDF9E1E40BA21CADE51897FA32F8(IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value0) IL2CPP_OVERRIDE { return IVector_1_Append_m309EB720D967EDF9E1E40BA21CADE51897FA32F8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_m653EA1C3E47358E13E7873030D76051595FD7F46() IL2CPP_OVERRIDE { return IVector_1_RemoveAtEnd_m653EA1C3E47358E13E7873030D76051595FD7F46_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_Clear_mE6351B5B1E4670F79D423BB80072FCB05ECDC56D() IL2CPP_OVERRIDE { return IVector_1_Clear_mE6351B5B1E4670F79D423BB80072FCB05ECDC56D_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_mFF8B8D9E8319CB1DFF46A2CF6986D08AF8F2B7FC(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetMany_mFF8B8D9E8319CB1DFF46A2CF6986D08AF8F2B7FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_m0E9990512495E1CB9B8B3369AF86B5DEB374A752(uint32_t ___items0ArraySize, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** ___items0) IL2CPP_OVERRIDE { return IVector_1_ReplaceAll_m0E9990512495E1CB9B8B3369AF86B5DEB374A752_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___items0ArraySize, ___items0); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_mBBF5C8AF27EA6CA57D284C5E5A2698703192F44A(IIterator_1_tCAD42EE851E2CAECEC472238A1AE950BDF1099D9** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_mBBF5C8AF27EA6CA57D284C5E5A2698703192F44A_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mDA23EFB974CD44643AE0DB705D033D399F542B30(uint32_t ___index0, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mDA23EFB974CD44643AE0DB705D033D399F542B30_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m4039024255CA2ABF9FC7FD2B45479D54AA3255DD(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m4039024255CA2ABF9FC7FD2B45479D54AA3255DD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m4063F881DC6A7F4F1941CC458C2F2274867F0267(IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m4063F881DC6A7F4F1941CC458C2F2274867F0267_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m58C7D281A6DA3E6C71DA87095D14B6D6DB6E6B29(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t1AD4C7E5728F7AB55B4708A057303FB5CF7FF0B6** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m58C7D281A6DA3E6C71DA87095D14B6D6DB6E6B29_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_t920EB0A30DD5CE3BAAF02931D1ABDF93367AC84A(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_t920EB0A30DD5CE3BAAF02931D1ABDF93367AC84A_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_t920EB0A30DD5CE3BAAF02931D1ABDF93367AC84A_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.Guid,System.Object>[] struct NodeU5BU5D_tFD478954EB36F089D130F06A1108F9AF46C87B6F_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<NodeU5BU5D_tFD478954EB36F089D130F06A1108F9AF46C87B6F_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline NodeU5BU5D_tFD478954EB36F089D130F06A1108F9AF46C87B6F_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<NodeU5BU5D_tFD478954EB36F089D130F06A1108F9AF46C87B6F_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_NodeU5BU5D_tFD478954EB36F089D130F06A1108F9AF46C87B6F(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(NodeU5BU5D_tFD478954EB36F089D130F06A1108F9AF46C87B6F_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) NodeU5BU5D_tFD478954EB36F089D130F06A1108F9AF46C87B6F_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Concurrent.ConcurrentDictionary`2_Node<System.Guid,System.Tuple`2<System.Guid,System.Int32>>[] struct NodeU5BU5D_t0A6873D4FD52FBAEBDED2BBA80FC5EAFED7232DE_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<NodeU5BU5D_t0A6873D4FD52FBAEBDED2BBA80FC5EAFED7232DE_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline NodeU5BU5D_t0A6873D4FD52FBAEBDED2BBA80FC5EAFED7232DE_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<NodeU5BU5D_t0A6873D4FD52FBAEBDED2BBA80FC5EAFED7232DE_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_NodeU5BU5D_t0A6873D4FD52FBAEBDED2BBA80FC5EAFED7232DE(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(NodeU5BU5D_t0A6873D4FD52FBAEBDED2BBA80FC5EAFED7232DE_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) NodeU5BU5D_t0A6873D4FD52FBAEBDED2BBA80FC5EAFED7232DE_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.Guid,System.Tuple`2<System.Guid,System.Int32>>[] struct KeyValuePair_2U5BU5D_tD8A7C3828874A98B6D25D6C411D926CB67B649F5_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_tD8A7C3828874A98B6D25D6C411D926CB67B649F5_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_tD8A7C3828874A98B6D25D6C411D926CB67B649F5_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_tD8A7C3828874A98B6D25D6C411D926CB67B649F5_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_tD8A7C3828874A98B6D25D6C411D926CB67B649F5(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_tD8A7C3828874A98B6D25D6C411D926CB67B649F5_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_tD8A7C3828874A98B6D25D6C411D926CB67B649F5_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Tuple`2<System.Guid,System.Int32>[] struct Tuple_2U5BU5D_t4AC9A23B21F9BB1E165F546CBE1AF1FCD0BE27B1_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<Tuple_2U5BU5D_t4AC9A23B21F9BB1E165F546CBE1AF1FCD0BE27B1_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline Tuple_2U5BU5D_t4AC9A23B21F9BB1E165F546CBE1AF1FCD0BE27B1_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<Tuple_2U5BU5D_t4AC9A23B21F9BB1E165F546CBE1AF1FCD0BE27B1_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_Tuple_2U5BU5D_t4AC9A23B21F9BB1E165F546CBE1AF1FCD0BE27B1(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(Tuple_2U5BU5D_t4AC9A23B21F9BB1E165F546CBE1AF1FCD0BE27B1_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) Tuple_2U5BU5D_t4AC9A23B21F9BB1E165F546CBE1AF1FCD0BE27B1_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.WeakReference`1<System.Diagnostics.Tracing.EtwSession>[] struct WeakReference_1U5BU5D_tC2FFBB710D798A2B84E799DD3F89D27EA03519DF_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<WeakReference_1U5BU5D_tC2FFBB710D798A2B84E799DD3F89D27EA03519DF_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline WeakReference_1U5BU5D_tC2FFBB710D798A2B84E799DD3F89D27EA03519DF_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<WeakReference_1U5BU5D_tC2FFBB710D798A2B84E799DD3F89D27EA03519DF_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_WeakReference_1U5BU5D_tC2FFBB710D798A2B84E799DD3F89D27EA03519DF(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(WeakReference_1U5BU5D_tC2FFBB710D798A2B84E799DD3F89D27EA03519DF_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) WeakReference_1U5BU5D_tC2FFBB710D798A2B84E799DD3F89D27EA03519DF_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>[] struct KeyValuePair_2U5BU5D_t90BD5627DE1270CB7D2384CFC863BF0E5C371EDD_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t90BD5627DE1270CB7D2384CFC863BF0E5C371EDD_ComCallableWrapper>, IVector_1_tF0C62F9DAB76FCE743DD1E461A000B1FFE81EC2E, IIterable_1_t694E13FCA5ED174A0E2A92EE7E1D1EBC561105A3, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_tEF88054A013223D9E07F80DC4159F8A647454A23, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_t90BD5627DE1270CB7D2384CFC863BF0E5C371EDD_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t90BD5627DE1270CB7D2384CFC863BF0E5C371EDD_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVector_1_tF0C62F9DAB76FCE743DD1E461A000B1FFE81EC2E::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVector_1_tF0C62F9DAB76FCE743DD1E461A000B1FFE81EC2E*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_t694E13FCA5ED174A0E2A92EE7E1D1EBC561105A3::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_t694E13FCA5ED174A0E2A92EE7E1D1EBC561105A3*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_tEF88054A013223D9E07F80DC4159F8A647454A23::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_tEF88054A013223D9E07F80DC4159F8A647454A23*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(5); interfaceIds[0] = IVector_1_tF0C62F9DAB76FCE743DD1E461A000B1FFE81EC2E::IID; interfaceIds[1] = IIterable_1_t694E13FCA5ED174A0E2A92EE7E1D1EBC561105A3::IID; interfaceIds[2] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[3] = IVectorView_1_tEF88054A013223D9E07F80DC4159F8A647454A23::IID; interfaceIds[4] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 5; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_m7BDBB44CF60458D19C4210EFF74E0491DE43C124(uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetAt_m7BDBB44CF60458D19C4210EFF74E0491DE43C124_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_mF714AF42287CD8DC5B3D34B431BDEAF6FED388F4(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_get_Size_mF714AF42287CD8DC5B3D34B431BDEAF6FED388F4_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_GetView_mF82779D7B3CC849E6B3BBEB6C6C451466EC44920(IVectorView_1_tEF88054A013223D9E07F80DC4159F8A647454A23** comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetView_mF82779D7B3CC849E6B3BBEB6C6C451466EC44920_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_mE0BDDDBE532E6F97F269A4FA6DD82BA6EF00457B(IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_IndexOf_mE0BDDDBE532E6F97F269A4FA6DD82BA6EF00457B_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_m3A1C2A1ED772D0AA3E8996C083DCC2628159C3E2(uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value1) IL2CPP_OVERRIDE { return IVector_1_SetAt_m3A1C2A1ED772D0AA3E8996C083DCC2628159C3E2_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_mB782A8AE06971C02BBC8424A70E040DD209D96BD(uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value1) IL2CPP_OVERRIDE { return IVector_1_InsertAt_mB782A8AE06971C02BBC8424A70E040DD209D96BD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_m205BF0E48193BBAFF27593D57C784A3D9B1A56D4(uint32_t ___index0) IL2CPP_OVERRIDE { return IVector_1_RemoveAt_m205BF0E48193BBAFF27593D57C784A3D9B1A56D4_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IVector_1_Append_m8A3385CFB5A5035AF8BB8D2282F29438BEA29C30(IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value0) IL2CPP_OVERRIDE { return IVector_1_Append_m8A3385CFB5A5035AF8BB8D2282F29438BEA29C30_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_m7D047B2DDB195E88CBB4A03703BED91FB8698425() IL2CPP_OVERRIDE { return IVector_1_RemoveAtEnd_m7D047B2DDB195E88CBB4A03703BED91FB8698425_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_Clear_m90EEB90EB745472D6934994FB5F579DB8DCC9EC2() IL2CPP_OVERRIDE { return IVector_1_Clear_m90EEB90EB745472D6934994FB5F579DB8DCC9EC2_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_m8924F3083810AEED248076297C3AF0695F4533A8(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetMany_m8924F3083810AEED248076297C3AF0695F4533A8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_m3C37C2964BD96E67017FE292E76482434B4032BA(uint32_t ___items0ArraySize, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** ___items0) IL2CPP_OVERRIDE { return IVector_1_ReplaceAll_m3C37C2964BD96E67017FE292E76482434B4032BA_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___items0ArraySize, ___items0); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m275E902DE6A8F069FC1B41D78868D8A4A0C31F24(IIterator_1_t2A46D2833D20F4CEA65729D7D4030B73383D0FBC** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m275E902DE6A8F069FC1B41D78868D8A4A0C31F24_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m93F380F63CBDE7D42B6D5C811AF52FC0F8347A7B(uint32_t ___index0, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_m93F380F63CBDE7D42B6D5C811AF52FC0F8347A7B_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m06EBF4E201B05E92D2176F99AE7F879410D631AD(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m06EBF4E201B05E92D2176F99AE7F879410D631AD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m35CAD9C0DA3D52CE07205ADE741A99AFC645061C(IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m35CAD9C0DA3D52CE07205ADE741A99AFC645061C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m2874A25B5505F2A842D7430C46F0A853BE7171BD(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tDF13D32A62AC2240CBB9C84E41CF5712F4803994** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m2874A25B5505F2A842D7430C46F0A853BE7171BD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_t90BD5627DE1270CB7D2384CFC863BF0E5C371EDD(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_t90BD5627DE1270CB7D2384CFC863BF0E5C371EDD_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_t90BD5627DE1270CB7D2384CFC863BF0E5C371EDD_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.UInt64,System.String>[] struct KeyValuePair_2U5BU5D_t61849670E38B0EAF0382693CFFB9BCC4AD901E16_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t61849670E38B0EAF0382693CFFB9BCC4AD901E16_ComCallableWrapper>, IVector_1_t144570271588DE9CAE7195C3D5FF62B82525F659, IIterable_1_t97319FB399F5CF03454CFE8FFA2069559E97F4AB, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_tDE2EEE73476A944B586B63E63CD788FD6B47CA84, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_t61849670E38B0EAF0382693CFFB9BCC4AD901E16_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t61849670E38B0EAF0382693CFFB9BCC4AD901E16_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVector_1_t144570271588DE9CAE7195C3D5FF62B82525F659::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVector_1_t144570271588DE9CAE7195C3D5FF62B82525F659*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_t97319FB399F5CF03454CFE8FFA2069559E97F4AB::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_t97319FB399F5CF03454CFE8FFA2069559E97F4AB*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_tDE2EEE73476A944B586B63E63CD788FD6B47CA84::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_tDE2EEE73476A944B586B63E63CD788FD6B47CA84*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(5); interfaceIds[0] = IVector_1_t144570271588DE9CAE7195C3D5FF62B82525F659::IID; interfaceIds[1] = IIterable_1_t97319FB399F5CF03454CFE8FFA2069559E97F4AB::IID; interfaceIds[2] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[3] = IVectorView_1_tDE2EEE73476A944B586B63E63CD788FD6B47CA84::IID; interfaceIds[4] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 5; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_mD3BBC08B6A03F1C914C62F33F0D51C340FB54AA5(uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetAt_mD3BBC08B6A03F1C914C62F33F0D51C340FB54AA5_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_mAC3EB732D498A2E26FEBFD81D1BC9DFF2934C7EB(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_get_Size_mAC3EB732D498A2E26FEBFD81D1BC9DFF2934C7EB_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_GetView_mCD6258DD92DB72771C9DE2F81E8E01FEE1BEE25A(IVectorView_1_tDE2EEE73476A944B586B63E63CD788FD6B47CA84** comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetView_mCD6258DD92DB72771C9DE2F81E8E01FEE1BEE25A_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_m8F0860ED42779A9270E28CDE24E21A2440E74767(IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_IndexOf_m8F0860ED42779A9270E28CDE24E21A2440E74767_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_m3B29A21356415288D82798231D02F8B88C0AAFC3(uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value1) IL2CPP_OVERRIDE { return IVector_1_SetAt_m3B29A21356415288D82798231D02F8B88C0AAFC3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_m35D14D740A1FD703C1E2380D8E1344DC2AFEAB72(uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value1) IL2CPP_OVERRIDE { return IVector_1_InsertAt_m35D14D740A1FD703C1E2380D8E1344DC2AFEAB72_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_mE0A2F88A5529EB6BCA1FAA6D84FF1EBC68FC005B(uint32_t ___index0) IL2CPP_OVERRIDE { return IVector_1_RemoveAt_mE0A2F88A5529EB6BCA1FAA6D84FF1EBC68FC005B_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IVector_1_Append_m021B7C611A5EF129F9B7CAFB169101F189961B3B(IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value0) IL2CPP_OVERRIDE { return IVector_1_Append_m021B7C611A5EF129F9B7CAFB169101F189961B3B_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_mE9F49E1350320AFF606821E10E2032C8FFEC8C24() IL2CPP_OVERRIDE { return IVector_1_RemoveAtEnd_mE9F49E1350320AFF606821E10E2032C8FFEC8C24_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_Clear_mC78A76116C4B823554B57D7F45B753F0589BD59D() IL2CPP_OVERRIDE { return IVector_1_Clear_mC78A76116C4B823554B57D7F45B753F0589BD59D_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_m64B1AAF540503AE9EAFD7F4C9B242009C281B964(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetMany_m64B1AAF540503AE9EAFD7F4C9B242009C281B964_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_mE533BF3355F82BD8891BC4F4D969D55E76D555A6(uint32_t ___items0ArraySize, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** ___items0) IL2CPP_OVERRIDE { return IVector_1_ReplaceAll_mE533BF3355F82BD8891BC4F4D969D55E76D555A6_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___items0ArraySize, ___items0); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m2E655A1A60C1239F728630271C24A57F0BD528CA(IIterator_1_tB764AD11C14EE09E15ED8EACFD2CB116C9B9DB3B** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m2E655A1A60C1239F728630271C24A57F0BD528CA_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m2AA9257A51EF11F40AE442C55D13A9BF44001280(uint32_t ___index0, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_m2AA9257A51EF11F40AE442C55D13A9BF44001280_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_mDBFF54AA03EBF2E99848857C9CD886FB93A6A029(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_mDBFF54AA03EBF2E99848857C9CD886FB93A6A029_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m2F8E68BBAFD0C27FC9A7104DC3DCA9A802B686BC(IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m2F8E68BBAFD0C27FC9A7104DC3DCA9A802B686BC_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_mA67B44D96F5FF264D6F48544D1E956C778FF1090(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_tAEEDBAE14B4D0E158BBEA9851B60314FEAA1A381** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_mA67B44D96F5FF264D6F48544D1E956C778FF1090_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_t61849670E38B0EAF0382693CFFB9BCC4AD901E16(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_t61849670E38B0EAF0382693CFFB9BCC4AD901E16_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_t61849670E38B0EAF0382693CFFB9BCC4AD901E16_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2_Entry<System.UInt64,System.Object>[] struct EntryU5BU5D_tCE3D39EBBB127037F170BD1FBADFA7D55D88E594_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tCE3D39EBBB127037F170BD1FBADFA7D55D88E594_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EntryU5BU5D_tCE3D39EBBB127037F170BD1FBADFA7D55D88E594_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tCE3D39EBBB127037F170BD1FBADFA7D55D88E594_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EntryU5BU5D_tCE3D39EBBB127037F170BD1FBADFA7D55D88E594(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EntryU5BU5D_tCE3D39EBBB127037F170BD1FBADFA7D55D88E594_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EntryU5BU5D_tCE3D39EBBB127037F170BD1FBADFA7D55D88E594_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2_Entry<System.UInt64,System.String>[] struct EntryU5BU5D_t3E794099C0DF651976750CB2F90140C061415231_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EntryU5BU5D_t3E794099C0DF651976750CB2F90140C061415231_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EntryU5BU5D_t3E794099C0DF651976750CB2F90140C061415231_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EntryU5BU5D_t3E794099C0DF651976750CB2F90140C061415231_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EntryU5BU5D_t3E794099C0DF651976750CB2F90140C061415231(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EntryU5BU5D_t3E794099C0DF651976750CB2F90140C061415231_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EntryU5BU5D_t3E794099C0DF651976750CB2F90140C061415231_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.String,System.Type>[] struct KeyValuePair_2U5BU5D_t3A5BBBFF553441D624AB0DECDAD2510AC02AE461_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t3A5BBBFF553441D624AB0DECDAD2510AC02AE461_ComCallableWrapper>, IVector_1_t5F0485520A8D0254DEE5E94F97EBA948DDE39063, IIterable_1_t370B70EC8C5967E4B3C228982CD5AA3601AB209D, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_tD689FA5E6085AE1F3D00699A1B2536D0A4C05EB6, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_t3A5BBBFF553441D624AB0DECDAD2510AC02AE461_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t3A5BBBFF553441D624AB0DECDAD2510AC02AE461_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVector_1_t5F0485520A8D0254DEE5E94F97EBA948DDE39063::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVector_1_t5F0485520A8D0254DEE5E94F97EBA948DDE39063*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_t370B70EC8C5967E4B3C228982CD5AA3601AB209D::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_t370B70EC8C5967E4B3C228982CD5AA3601AB209D*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_tD689FA5E6085AE1F3D00699A1B2536D0A4C05EB6::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_tD689FA5E6085AE1F3D00699A1B2536D0A4C05EB6*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(5); interfaceIds[0] = IVector_1_t5F0485520A8D0254DEE5E94F97EBA948DDE39063::IID; interfaceIds[1] = IIterable_1_t370B70EC8C5967E4B3C228982CD5AA3601AB209D::IID; interfaceIds[2] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[3] = IVectorView_1_tD689FA5E6085AE1F3D00699A1B2536D0A4C05EB6::IID; interfaceIds[4] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 5; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IVector_1_GetAt_m3E44F2C56F8B07149A65FC9FD7C7D1738DE88BCD(uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetAt_m3E44F2C56F8B07149A65FC9FD7C7D1738DE88BCD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_get_Size_mBB05C70B6C853F873E80A0EB4E1ED585B910301C(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_get_Size_mBB05C70B6C853F873E80A0EB4E1ED585B910301C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_GetView_m507780CE087FD0B63A58E85766AF34C8B4588D87(IVectorView_1_tD689FA5E6085AE1F3D00699A1B2536D0A4C05EB6** comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetView_m507780CE087FD0B63A58E85766AF34C8B4588D87_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_IndexOf_m86A7953BDAED4A2369564D4CC2CB83161E45C6EB(IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_IndexOf_m86A7953BDAED4A2369564D4CC2CB83161E45C6EB_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_SetAt_mC139749D94ABE0A1709D8CF348F588F1BF8EEC70(uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value1) IL2CPP_OVERRIDE { return IVector_1_SetAt_mC139749D94ABE0A1709D8CF348F588F1BF8EEC70_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_InsertAt_m6B83035666CC79B654430118101DAB079DD7ADC5(uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value1) IL2CPP_OVERRIDE { return IVector_1_InsertAt_m6B83035666CC79B654430118101DAB079DD7ADC5_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAt_m5563DB19695B7582B2CD41E305295AA7FBB1B5AE(uint32_t ___index0) IL2CPP_OVERRIDE { return IVector_1_RemoveAt_m5563DB19695B7582B2CD41E305295AA7FBB1B5AE_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IVector_1_Append_m0E773601453606A1AE44917B7F48959A52877EAD(IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value0) IL2CPP_OVERRIDE { return IVector_1_Append_m0E773601453606A1AE44917B7F48959A52877EAD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IVector_1_RemoveAtEnd_m51585A1C26ADA2DC58334D0067FF997AE5851F39() IL2CPP_OVERRIDE { return IVector_1_RemoveAtEnd_m51585A1C26ADA2DC58334D0067FF997AE5851F39_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_Clear_m796F168154470E9CCD77525E78D64A3665E627E0() IL2CPP_OVERRIDE { return IVector_1_Clear_m796F168154470E9CCD77525E78D64A3665E627E0_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IVector_1_GetMany_m4856A6D19A9FED1226BFA9639FBECBE2BDA81E45(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVector_1_GetMany_m4856A6D19A9FED1226BFA9639FBECBE2BDA81E45_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVector_1_ReplaceAll_m1FB29DAB3249EB35642C637ABB086E62F84D42F9(uint32_t ___items0ArraySize, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** ___items0) IL2CPP_OVERRIDE { return IVector_1_ReplaceAll_m1FB29DAB3249EB35642C637ABB086E62F84D42F9_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___items0ArraySize, ___items0); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m6DF74C1336D9C10069917A4FED26C3720B17DFD7(IIterator_1_t46A935C2A23637200F19BAEE4C057B011483C57F** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m6DF74C1336D9C10069917A4FED26C3720B17DFD7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m241320C639B15A2BC7DD70E9DB97D45010B2B930(uint32_t ___index0, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_m241320C639B15A2BC7DD70E9DB97D45010B2B930_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m34A00F40437FB5F7D13D17D7FD3F83C329C55F6B(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m34A00F40437FB5F7D13D17D7FD3F83C329C55F6B_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_mAE736EBF6CF0B6314FB5F4607EB7E7724CCBB03A(IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_mAE736EBF6CF0B6314FB5F4607EB7E7724CCBB03A_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_mCCCE1DCB8E23E0323B4A3F2CA72BC8AF6F1DD8AB(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IKeyValuePair_2_t603E3B7B3C6857F6DD19C262C8CE3AF51BDD6667** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_mCCCE1DCB8E23E0323B4A3F2CA72BC8AF6F1DD8AB_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_t3A5BBBFF553441D624AB0DECDAD2510AC02AE461(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_t3A5BBBFF553441D624AB0DECDAD2510AC02AE461_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_t3A5BBBFF553441D624AB0DECDAD2510AC02AE461_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2_Entry<System.String,System.Type>[] struct EntryU5BU5D_t40A3139ED5D085E35C0FFBF75DD94D0BCDDBFA18_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EntryU5BU5D_t40A3139ED5D085E35C0FFBF75DD94D0BCDDBFA18_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EntryU5BU5D_t40A3139ED5D085E35C0FFBF75DD94D0BCDDBFA18_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EntryU5BU5D_t40A3139ED5D085E35C0FFBF75DD94D0BCDDBFA18_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EntryU5BU5D_t40A3139ED5D085E35C0FFBF75DD94D0BCDDBFA18(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EntryU5BU5D_t40A3139ED5D085E35C0FFBF75DD94D0BCDDBFA18_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EntryU5BU5D_t40A3139ED5D085E35C0FFBF75DD94D0BCDDBFA18_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2_Entry<System.String,System.Collections.Generic.List`1<System.Int32>>[] struct EntryU5BU5D_t60C6F39C129F0ED5FC3442C36FBFFB0170A77B12_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EntryU5BU5D_t60C6F39C129F0ED5FC3442C36FBFFB0170A77B12_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EntryU5BU5D_t60C6F39C129F0ED5FC3442C36FBFFB0170A77B12_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EntryU5BU5D_t60C6F39C129F0ED5FC3442C36FBFFB0170A77B12_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EntryU5BU5D_t60C6F39C129F0ED5FC3442C36FBFFB0170A77B12(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EntryU5BU5D_t60C6F39C129F0ED5FC3442C36FBFFB0170A77B12_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EntryU5BU5D_t60C6F39C129F0ED5FC3442C36FBFFB0170A77B12_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.List`1<System.Int32>[] struct List_1U5BU5D_tCC3E77E36AEB05101B85F6A19023078C5A249C32_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<List_1U5BU5D_tCC3E77E36AEB05101B85F6A19023078C5A249C32_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IIterable_1_tAC2A768318A3B5843062FBB56DD5E7405E41A302, IIterable_1_tFC13C53CBD55D5205C68D5D9CA66510CA602948E, IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F, IIterable_1_tBA530A414D1520B7E2769DDA0F4ADD1881CEA550, IIterable_1_tC72961683153DB1953DB49F4924A4A2961043439, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IVectorView_1_t459C34CB8393ED708686F216EB76D7B0B4BD9A5F, IVectorView_1_tA2A45A7161239ABAB492E733C9B2C725BBF459CA, IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A, IVectorView_1_tBE73E017D41260BDE192983618296A7C175DD39B, IVectorView_1_tBB43AED4A59DE8FF3A968C8C4D6432A28AA24BB6, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline List_1U5BU5D_tCC3E77E36AEB05101B85F6A19023078C5A249C32_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<List_1U5BU5D_tCC3E77E36AEB05101B85F6A19023078C5A249C32_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tAC2A768318A3B5843062FBB56DD5E7405E41A302::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tAC2A768318A3B5843062FBB56DD5E7405E41A302*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tFC13C53CBD55D5205C68D5D9CA66510CA602948E::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tFC13C53CBD55D5205C68D5D9CA66510CA602948E*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tBA530A414D1520B7E2769DDA0F4ADD1881CEA550::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tBA530A414D1520B7E2769DDA0F4ADD1881CEA550*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tC72961683153DB1953DB49F4924A4A2961043439::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tC72961683153DB1953DB49F4924A4A2961043439*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t459C34CB8393ED708686F216EB76D7B0B4BD9A5F::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t459C34CB8393ED708686F216EB76D7B0B4BD9A5F*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_tA2A45A7161239ABAB492E733C9B2C725BBF459CA::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_tA2A45A7161239ABAB492E733C9B2C725BBF459CA*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_tBE73E017D41260BDE192983618296A7C175DD39B::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_tBE73E017D41260BDE192983618296A7C175DD39B*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_tBB43AED4A59DE8FF3A968C8C4D6432A28AA24BB6::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_tBB43AED4A59DE8FF3A968C8C4D6432A28AA24BB6*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(14); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IIterable_1_tAC2A768318A3B5843062FBB56DD5E7405E41A302::IID; interfaceIds[2] = IIterable_1_tFC13C53CBD55D5205C68D5D9CA66510CA602948E::IID; interfaceIds[3] = IIterable_1_t959BCB9D0EBECC1E00135117B6946E97DFCECC8F::IID; interfaceIds[4] = IIterable_1_tBA530A414D1520B7E2769DDA0F4ADD1881CEA550::IID; interfaceIds[5] = IIterable_1_tC72961683153DB1953DB49F4924A4A2961043439::IID; interfaceIds[6] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[7] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[8] = IVectorView_1_t459C34CB8393ED708686F216EB76D7B0B4BD9A5F::IID; interfaceIds[9] = IVectorView_1_tA2A45A7161239ABAB492E733C9B2C725BBF459CA::IID; interfaceIds[10] = IVectorView_1_t5050EF05E91BB6F2A882C85C1555DF9DAD87E39A::IID; interfaceIds[11] = IVectorView_1_tBE73E017D41260BDE192983618296A7C175DD39B::IID; interfaceIds[12] = IVectorView_1_tBB43AED4A59DE8FF3A968C8C4D6432A28AA24BB6::IID; interfaceIds[13] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 14; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m7CA6136A702F60BC9D76703E41DAFEFFB8630CF1(IIterator_1_tA43F6FC1D4C77D938D70C30796F03C0C9D01652B** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m7CA6136A702F60BC9D76703E41DAFEFFB8630CF1_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m08AE3205A8C461CBBFD801DF50F22BB295E6F11E(IIterator_1_t5ED96EAD78CEF2D860EDB4DCF4672C15C13F6B53** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m08AE3205A8C461CBBFD801DF50F22BB295E6F11E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_mFFB1B49776648BCFAE14E56BCC852C171A2EED56(IIterator_1_t62801DBDE6FD9C74727BB69771A29FE27EFE219A** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_mFFB1B49776648BCFAE14E56BCC852C171A2EED56_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m551F37D94BCD6465A842A30F21A34B055D1150EB(IIterator_1_t434D274362AD0E7DED4E226329536215034B75E0** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m551F37D94BCD6465A842A30F21A34B055D1150EB_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_mEA3E0A2E3EBF3C5119B790F2DB2E361610F5E564(IIterator_1_t3557A30DEED19D31BAF82BE4B75C2FFDEC593169** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_mEA3E0A2E3EBF3C5119B790F2DB2E361610F5E564_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD4BB8EAABBC824C4EF3A0C172A49DBCEFF007585(uint32_t ___index0, IVector_1_tFA03AAC34E309F0CE0766A71DB13E7C29DC019F1** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD4BB8EAABBC824C4EF3A0C172A49DBCEFF007585_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m38D4BE77B7E0D81D3EB702F20C253CA635082816(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m38D4BE77B7E0D81D3EB702F20C253CA635082816_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m1BA008F927E04857A91873501055371217ACF754(IVector_1_tFA03AAC34E309F0CE0766A71DB13E7C29DC019F1* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m1BA008F927E04857A91873501055371217ACF754_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m8D89E3F20A1DEF5D079D0FB04FFF388FDD576D62(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IVector_1_tFA03AAC34E309F0CE0766A71DB13E7C29DC019F1** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m8D89E3F20A1DEF5D079D0FB04FFF388FDD576D62_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_m9516363B8735EA2063ECA845F5EE75B711DD9E94(uint32_t ___index0, IIterable_1_tCAF4089D0AFDC422E5D221DD5201B9B3CD3FE719** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_m9516363B8735EA2063ECA845F5EE75B711DD9E94_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0F3643297D94A101CCC4529B406A4801528C52A7(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0F3643297D94A101CCC4529B406A4801528C52A7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m84893DB170EBC43F3EF909E299B9E8B7B677EA78(IIterable_1_tCAF4089D0AFDC422E5D221DD5201B9B3CD3FE719* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m84893DB170EBC43F3EF909E299B9E8B7B677EA78_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m22D3610889BA4BDF85B3B028ED558C9B577D1EBA(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IIterable_1_tCAF4089D0AFDC422E5D221DD5201B9B3CD3FE719** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m22D3610889BA4BDF85B3B028ED558C9B577D1EBA_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mE92F40A15F7A4160BC73DC34BE2B952CCB6A6CC9(uint32_t ___index0, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mE92F40A15F7A4160BC73DC34BE2B952CCB6A6CC9_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m6C9A5EB233BDD0D6840D71594DBEC7005E572679(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m6C9A5EB233BDD0D6840D71594DBEC7005E572679_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m624FC07BF1FB0CE5A3988E9DC8FE4F4DEFA7BB19(IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m624FC07BF1FB0CE5A3988E9DC8FE4F4DEFA7BB19_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_mA6B7C5129191F9FABD887800915DB7D141B7BA3D(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_mA6B7C5129191F9FABD887800915DB7D141B7BA3D_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mAB5FBF2E11782C3284709DBFA4DE5F15F3819B10(uint32_t ___index0, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mAB5FBF2E11782C3284709DBFA4DE5F15F3819B10_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_mBB2E069A39C95E9B799DF56A687C3378593D6DE8(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_mBB2E069A39C95E9B799DF56A687C3378593D6DE8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_mE04A0DB765A4541758E866B3039F1064401BE09B(IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_mE04A0DB765A4541758E866B3039F1064401BE09B_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7A30B074D4DE286EDF193293E625DF60ECDBB23A(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7A30B074D4DE286EDF193293E625DF60ECDBB23A_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mF7F52C4D6EA65FAC0A5B2F7D5AA2F74B25854183(uint32_t ___index0, IVectorView_1_tAB52227C1C0CC25665FDD31E1FF8C4E46A940871** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mF7F52C4D6EA65FAC0A5B2F7D5AA2F74B25854183_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m802C8606F6157302509A7594D448AD57DC6A50B4(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m802C8606F6157302509A7594D448AD57DC6A50B4_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m7AD97820B7630E632287AD069C5599BEC3F28C67(IVectorView_1_tAB52227C1C0CC25665FDD31E1FF8C4E46A940871* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m7AD97820B7630E632287AD069C5599BEC3F28C67_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_mBE23AB4CC5108592945F8E99B724FB3E0A653EF9(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IVectorView_1_tAB52227C1C0CC25665FDD31E1FF8C4E46A940871** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_mBE23AB4CC5108592945F8E99B724FB3E0A653EF9_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_List_1U5BU5D_tCC3E77E36AEB05101B85F6A19023078C5A249C32(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(List_1U5BU5D_tCC3E77E36AEB05101B85F6A19023078C5A249C32_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) List_1U5BU5D_tCC3E77E36AEB05101B85F6A19023078C5A249C32_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.String,System.Collections.Generic.List`1<System.Int32>>[] struct KeyValuePair_2U5BU5D_t23D15007BC6A36E8076DAE37DFA83F2E858F885D_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t23D15007BC6A36E8076DAE37DFA83F2E858F885D_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_t23D15007BC6A36E8076DAE37DFA83F2E858F885D_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t23D15007BC6A36E8076DAE37DFA83F2E858F885D_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_t23D15007BC6A36E8076DAE37DFA83F2E858F885D(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_t23D15007BC6A36E8076DAE37DFA83F2E858F885D_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_t23D15007BC6A36E8076DAE37DFA83F2E858F885D_ComCallableWrapper(obj)); } // COM Callable Wrapper for Mono.Security.Interface.CipherSuiteCode[] struct CipherSuiteCodeU5BU5D_t0EC37AD4A25BB94BA9AB4A9C0C4802BD79A07CC4_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<CipherSuiteCodeU5BU5D_t0EC37AD4A25BB94BA9AB4A9C0C4802BD79A07CC4_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline CipherSuiteCodeU5BU5D_t0EC37AD4A25BB94BA9AB4A9C0C4802BD79A07CC4_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<CipherSuiteCodeU5BU5D_t0EC37AD4A25BB94BA9AB4A9C0C4802BD79A07CC4_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_CipherSuiteCodeU5BU5D_t0EC37AD4A25BB94BA9AB4A9C0C4802BD79A07CC4(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(CipherSuiteCodeU5BU5D_t0EC37AD4A25BB94BA9AB4A9C0C4802BD79A07CC4_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) CipherSuiteCodeU5BU5D_t0EC37AD4A25BB94BA9AB4A9C0C4802BD79A07CC4_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.UInt16Enum[] struct UInt16EnumU5BU5D_t59CC59ED969571152B93967388F196CADE982BAF_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<UInt16EnumU5BU5D_t59CC59ED969571152B93967388F196CADE982BAF_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline UInt16EnumU5BU5D_t59CC59ED969571152B93967388F196CADE982BAF_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<UInt16EnumU5BU5D_t59CC59ED969571152B93967388F196CADE982BAF_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_UInt16EnumU5BU5D_t59CC59ED969571152B93967388F196CADE982BAF(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(UInt16EnumU5BU5D_t59CC59ED969571152B93967388F196CADE982BAF_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) UInt16EnumU5BU5D_t59CC59ED969571152B93967388F196CADE982BAF_ComCallableWrapper(obj)); } // COM Callable Wrapper for Mono.Math.BigInteger[] struct BigIntegerU5BU5D_t15EB0DC5DA051C4F0C1BECDCD8D7AB250F0CDF4B_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<BigIntegerU5BU5D_t15EB0DC5DA051C4F0C1BECDCD8D7AB250F0CDF4B_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline BigIntegerU5BU5D_t15EB0DC5DA051C4F0C1BECDCD8D7AB250F0CDF4B_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<BigIntegerU5BU5D_t15EB0DC5DA051C4F0C1BECDCD8D7AB250F0CDF4B_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_BigIntegerU5BU5D_t15EB0DC5DA051C4F0C1BECDCD8D7AB250F0CDF4B(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(BigIntegerU5BU5D_t15EB0DC5DA051C4F0C1BECDCD8D7AB250F0CDF4B_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) BigIntegerU5BU5D_t15EB0DC5DA051C4F0C1BECDCD8D7AB250F0CDF4B_ComCallableWrapper(obj)); } // COM Callable Wrapper for Mono.Unity.UnityTls_unitytls_ciphersuite[] struct unitytls_ciphersuiteU5BU5D_tB2A338AEB9C1D4DA86DC5B9E9D4E10BA52A3F1C3_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<unitytls_ciphersuiteU5BU5D_tB2A338AEB9C1D4DA86DC5B9E9D4E10BA52A3F1C3_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline unitytls_ciphersuiteU5BU5D_tB2A338AEB9C1D4DA86DC5B9E9D4E10BA52A3F1C3_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<unitytls_ciphersuiteU5BU5D_tB2A338AEB9C1D4DA86DC5B9E9D4E10BA52A3F1C3_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_unitytls_ciphersuiteU5BU5D_tB2A338AEB9C1D4DA86DC5B9E9D4E10BA52A3F1C3(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(unitytls_ciphersuiteU5BU5D_tB2A338AEB9C1D4DA86DC5B9E9D4E10BA52A3F1C3_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) unitytls_ciphersuiteU5BU5D_tB2A338AEB9C1D4DA86DC5B9E9D4E10BA52A3F1C3_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.UInt32Enum[] struct UInt32EnumU5BU5D_t2778403AF5991B56F3099A77451B997447A7780C_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<UInt32EnumU5BU5D_t2778403AF5991B56F3099A77451B997447A7780C_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline UInt32EnumU5BU5D_t2778403AF5991B56F3099A77451B997447A7780C_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<UInt32EnumU5BU5D_t2778403AF5991B56F3099A77451B997447A7780C_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_UInt32EnumU5BU5D_t2778403AF5991B56F3099A77451B997447A7780C(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(UInt32EnumU5BU5D_t2778403AF5991B56F3099A77451B997447A7780C_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) UInt32EnumU5BU5D_t2778403AF5991B56F3099A77451B997447A7780C_ComCallableWrapper(obj)); } // COM Callable Wrapper for Mono.Net.CFNetwork_GetProxyData[] struct GetProxyDataU5BU5D_t870800C064CCA26ABE2F8845C72953AF0776BD8F_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<GetProxyDataU5BU5D_t870800C064CCA26ABE2F8845C72953AF0776BD8F_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IIterable_1_t9040704BA642F3FA15C2C50AF7FDF3484F397EE5, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IVectorView_1_tF3B2B40FDDDE17CEA38544E22397D2F5C2698E85, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline GetProxyDataU5BU5D_t870800C064CCA26ABE2F8845C72953AF0776BD8F_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<GetProxyDataU5BU5D_t870800C064CCA26ABE2F8845C72953AF0776BD8F_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_t9040704BA642F3FA15C2C50AF7FDF3484F397EE5::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_t9040704BA642F3FA15C2C50AF7FDF3484F397EE5*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_tF3B2B40FDDDE17CEA38544E22397D2F5C2698E85::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_tF3B2B40FDDDE17CEA38544E22397D2F5C2698E85*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(6); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IIterable_1_t9040704BA642F3FA15C2C50AF7FDF3484F397EE5::IID; interfaceIds[2] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[3] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[4] = IVectorView_1_tF3B2B40FDDDE17CEA38544E22397D2F5C2698E85::IID; interfaceIds[5] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 6; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m66AE02B95C12AA29398F853CBBCB981F758D1D7B(IIterator_1_tFCCB84984712ACE35E2C9D0FFBB7CFE2CD913B43** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m66AE02B95C12AA29398F853CBBCB981F758D1D7B_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mF09C0ACF185B36DEE44FC0D08172713153119DE1(uint32_t ___index0, IClosable_t5808AF951019E4388C66F7A88AC569F52F581167** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mF09C0ACF185B36DEE44FC0D08172713153119DE1_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m3313994A76530A8C4479916841C82C0D08EFAC79(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m3313994A76530A8C4479916841C82C0D08EFAC79_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_mDB1287B8A5CC74E6FCC29981DD88C2C7386EC4E7(IClosable_t5808AF951019E4388C66F7A88AC569F52F581167* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_mDB1287B8A5CC74E6FCC29981DD88C2C7386EC4E7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m4955F7C6504C5A36D92A21A0AC6FDD34FF016A93(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IClosable_t5808AF951019E4388C66F7A88AC569F52F581167** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m4955F7C6504C5A36D92A21A0AC6FDD34FF016A93_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_GetProxyDataU5BU5D_t870800C064CCA26ABE2F8845C72953AF0776BD8F(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(GetProxyDataU5BU5D_t870800C064CCA26ABE2F8845C72953AF0776BD8F_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) GetProxyDataU5BU5D_t870800C064CCA26ABE2F8845C72953AF0776BD8F_ComCallableWrapper(obj)); } // COM Callable Wrapper for Mono.Net.CFProxy[] struct CFProxyU5BU5D_t3B5E7E8CAA3B53B7597164277191484DA246270D_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<CFProxyU5BU5D_t3B5E7E8CAA3B53B7597164277191484DA246270D_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline CFProxyU5BU5D_t3B5E7E8CAA3B53B7597164277191484DA246270D_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<CFProxyU5BU5D_t3B5E7E8CAA3B53B7597164277191484DA246270D_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_CFProxyU5BU5D_t3B5E7E8CAA3B53B7597164277191484DA246270D(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(CFProxyU5BU5D_t3B5E7E8CAA3B53B7597164277191484DA246270D_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) CFProxyU5BU5D_t3B5E7E8CAA3B53B7597164277191484DA246270D_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2_Entry<System.String,System.Tuple`2<System.Guid,System.String>>[] struct EntryU5BU5D_tF631DE5F562D430304C7F0A2F6BBE60DD1E0827B_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tF631DE5F562D430304C7F0A2F6BBE60DD1E0827B_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EntryU5BU5D_tF631DE5F562D430304C7F0A2F6BBE60DD1E0827B_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tF631DE5F562D430304C7F0A2F6BBE60DD1E0827B_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EntryU5BU5D_tF631DE5F562D430304C7F0A2F6BBE60DD1E0827B(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EntryU5BU5D_tF631DE5F562D430304C7F0A2F6BBE60DD1E0827B_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EntryU5BU5D_tF631DE5F562D430304C7F0A2F6BBE60DD1E0827B_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Tuple`2<System.Guid,System.String>[] struct Tuple_2U5BU5D_t60B721DB28313BACF070C3F76590C2994570A9ED_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<Tuple_2U5BU5D_t60B721DB28313BACF070C3F76590C2994570A9ED_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline Tuple_2U5BU5D_t60B721DB28313BACF070C3F76590C2994570A9ED_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<Tuple_2U5BU5D_t60B721DB28313BACF070C3F76590C2994570A9ED_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_Tuple_2U5BU5D_t60B721DB28313BACF070C3F76590C2994570A9ED(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(Tuple_2U5BU5D_t60B721DB28313BACF070C3F76590C2994570A9ED_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) Tuple_2U5BU5D_t60B721DB28313BACF070C3F76590C2994570A9ED_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.String,System.Tuple`2<System.Guid,System.String>>[] struct KeyValuePair_2U5BU5D_t460CCDE03B7109EA75C3FB6A7A4A8B9E67161E4E_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t460CCDE03B7109EA75C3FB6A7A4A8B9E67161E4E_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_t460CCDE03B7109EA75C3FB6A7A4A8B9E67161E4E_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_t460CCDE03B7109EA75C3FB6A7A4A8B9E67161E4E_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_t460CCDE03B7109EA75C3FB6A7A4A8B9E67161E4E(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_t460CCDE03B7109EA75C3FB6A7A4A8B9E67161E4E_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_t460CCDE03B7109EA75C3FB6A7A4A8B9E67161E4E_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2_Entry<System.Guid,System.Object>[] struct EntryU5BU5D_tF17AD66B70C825E1B913ABAABE4FD682D05469FE_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tF17AD66B70C825E1B913ABAABE4FD682D05469FE_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EntryU5BU5D_tF17AD66B70C825E1B913ABAABE4FD682D05469FE_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tF17AD66B70C825E1B913ABAABE4FD682D05469FE_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EntryU5BU5D_tF17AD66B70C825E1B913ABAABE4FD682D05469FE(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EntryU5BU5D_tF17AD66B70C825E1B913ABAABE4FD682D05469FE_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EntryU5BU5D_tF17AD66B70C825E1B913ABAABE4FD682D05469FE_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2_Entry<System.Guid,Mono.Security.Interface.MonoTlsProvider>[] struct EntryU5BU5D_tE06666ABDFCBE3F36B98FC925198596DA70BC32A_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tE06666ABDFCBE3F36B98FC925198596DA70BC32A_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EntryU5BU5D_tE06666ABDFCBE3F36B98FC925198596DA70BC32A_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EntryU5BU5D_tE06666ABDFCBE3F36B98FC925198596DA70BC32A_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EntryU5BU5D_tE06666ABDFCBE3F36B98FC925198596DA70BC32A(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EntryU5BU5D_tE06666ABDFCBE3F36B98FC925198596DA70BC32A_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EntryU5BU5D_tE06666ABDFCBE3F36B98FC925198596DA70BC32A_ComCallableWrapper(obj)); } // COM Callable Wrapper for Mono.Security.Interface.MonoTlsProvider[] struct MonoTlsProviderU5BU5D_tF7F00997751EBE1A93125445A5076F0F60817618_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<MonoTlsProviderU5BU5D_tF7F00997751EBE1A93125445A5076F0F60817618_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline MonoTlsProviderU5BU5D_tF7F00997751EBE1A93125445A5076F0F60817618_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<MonoTlsProviderU5BU5D_tF7F00997751EBE1A93125445A5076F0F60817618_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_MonoTlsProviderU5BU5D_tF7F00997751EBE1A93125445A5076F0F60817618(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(MonoTlsProviderU5BU5D_tF7F00997751EBE1A93125445A5076F0F60817618_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) MonoTlsProviderU5BU5D_tF7F00997751EBE1A93125445A5076F0F60817618_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.Guid,Mono.Security.Interface.MonoTlsProvider>[] struct KeyValuePair_2U5BU5D_tF3343F162E13DB27A0D45D159E3633F14C8FC328_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_tF3343F162E13DB27A0D45D159E3633F14C8FC328_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_tF3343F162E13DB27A0D45D159E3633F14C8FC328_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_tF3343F162E13DB27A0D45D159E3633F14C8FC328_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_tF3343F162E13DB27A0D45D159E3633F14C8FC328(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_tF3343F162E13DB27A0D45D159E3633F14C8FC328_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_tF3343F162E13DB27A0D45D159E3633F14C8FC328_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.Dictionary`2_Entry<System.String,System.UriParser>[] struct EntryU5BU5D_t78690744AC973DECF2010068DBDBD973FD216AAF_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EntryU5BU5D_t78690744AC973DECF2010068DBDBD973FD216AAF_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EntryU5BU5D_t78690744AC973DECF2010068DBDBD973FD216AAF_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EntryU5BU5D_t78690744AC973DECF2010068DBDBD973FD216AAF_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EntryU5BU5D_t78690744AC973DECF2010068DBDBD973FD216AAF(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EntryU5BU5D_t78690744AC973DECF2010068DBDBD973FD216AAF_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EntryU5BU5D_t78690744AC973DECF2010068DBDBD973FD216AAF_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.UriParser[] struct UriParserU5BU5D_tF9983436A3B9D7F826992B2B7155A7B68F6C7B42_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<UriParserU5BU5D_tF9983436A3B9D7F826992B2B7155A7B68F6C7B42_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline UriParserU5BU5D_tF9983436A3B9D7F826992B2B7155A7B68F6C7B42_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<UriParserU5BU5D_tF9983436A3B9D7F826992B2B7155A7B68F6C7B42_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_UriParserU5BU5D_tF9983436A3B9D7F826992B2B7155A7B68F6C7B42(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(UriParserU5BU5D_tF9983436A3B9D7F826992B2B7155A7B68F6C7B42_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) UriParserU5BU5D_tF9983436A3B9D7F826992B2B7155A7B68F6C7B42_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Collections.Generic.KeyValuePair`2<System.String,System.UriParser>[] struct KeyValuePair_2U5BU5D_tED7FBC66008AE10A59C8AB9D6375CCA0AF3AA16D_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_tED7FBC66008AE10A59C8AB9D6375CCA0AF3AA16D_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline KeyValuePair_2U5BU5D_tED7FBC66008AE10A59C8AB9D6375CCA0AF3AA16D_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<KeyValuePair_2U5BU5D_tED7FBC66008AE10A59C8AB9D6375CCA0AF3AA16D_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_KeyValuePair_2U5BU5D_tED7FBC66008AE10A59C8AB9D6375CCA0AF3AA16D(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(KeyValuePair_2U5BU5D_tED7FBC66008AE10A59C8AB9D6375CCA0AF3AA16D_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) KeyValuePair_2U5BU5D_tED7FBC66008AE10A59C8AB9D6375CCA0AF3AA16D_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Text.RegularExpressions.CachedCodeEntry[] struct CachedCodeEntryU5BU5D_t6CC8D8E1E2EA6307F49B4077BDF2FD1E7AA6D2DA_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<CachedCodeEntryU5BU5D_t6CC8D8E1E2EA6307F49B4077BDF2FD1E7AA6D2DA_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline CachedCodeEntryU5BU5D_t6CC8D8E1E2EA6307F49B4077BDF2FD1E7AA6D2DA_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<CachedCodeEntryU5BU5D_t6CC8D8E1E2EA6307F49B4077BDF2FD1E7AA6D2DA_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_CachedCodeEntryU5BU5D_t6CC8D8E1E2EA6307F49B4077BDF2FD1E7AA6D2DA(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(CachedCodeEntryU5BU5D_t6CC8D8E1E2EA6307F49B4077BDF2FD1E7AA6D2DA_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) CachedCodeEntryU5BU5D_t6CC8D8E1E2EA6307F49B4077BDF2FD1E7AA6D2DA_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Text.RegularExpressions.Capture[] struct CaptureU5BU5D_t50E7AD7A0DD83F47A18FBA28E57CCCCFC601F452_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<CaptureU5BU5D_t50E7AD7A0DD83F47A18FBA28E57CCCCFC601F452_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline CaptureU5BU5D_t50E7AD7A0DD83F47A18FBA28E57CCCCFC601F452_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<CaptureU5BU5D_t50E7AD7A0DD83F47A18FBA28E57CCCCFC601F452_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_CaptureU5BU5D_t50E7AD7A0DD83F47A18FBA28E57CCCCFC601F452(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(CaptureU5BU5D_t50E7AD7A0DD83F47A18FBA28E57CCCCFC601F452_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) CaptureU5BU5D_t50E7AD7A0DD83F47A18FBA28E57CCCCFC601F452_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Text.RegularExpressions.RegexCharClass_SingleRange[] struct SingleRangeU5BU5D_tAB14350EBD5923A7A56245583FE00B16378B6D36_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<SingleRangeU5BU5D_tAB14350EBD5923A7A56245583FE00B16378B6D36_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline SingleRangeU5BU5D_tAB14350EBD5923A7A56245583FE00B16378B6D36_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<SingleRangeU5BU5D_tAB14350EBD5923A7A56245583FE00B16378B6D36_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_SingleRangeU5BU5D_tAB14350EBD5923A7A56245583FE00B16378B6D36(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(SingleRangeU5BU5D_tAB14350EBD5923A7A56245583FE00B16378B6D36_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) SingleRangeU5BU5D_tAB14350EBD5923A7A56245583FE00B16378B6D36_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.String[,] struct StringU5B0___U2C0___U5D_tE93164AE7893C771D8246C63F72E776F0207282B_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<StringU5B0___U2C0___U5D_tE93164AE7893C771D8246C63F72E776F0207282B_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline StringU5B0___U2C0___U5D_tE93164AE7893C771D8246C63F72E776F0207282B_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<StringU5B0___U2C0___U5D_tE93164AE7893C771D8246C63F72E776F0207282B_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_StringU5B0___U2C0___U5D_tE93164AE7893C771D8246C63F72E776F0207282B(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(StringU5B0___U2C0___U5D_tE93164AE7893C771D8246C63F72E776F0207282B_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) StringU5B0___U2C0___U5D_tE93164AE7893C771D8246C63F72E776F0207282B_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping[] struct LowerCaseMappingU5BU5D_t70011E1042888E1D071920A9171989A479C0618D_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<LowerCaseMappingU5BU5D_t70011E1042888E1D071920A9171989A479C0618D_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline LowerCaseMappingU5BU5D_t70011E1042888E1D071920A9171989A479C0618D_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<LowerCaseMappingU5BU5D_t70011E1042888E1D071920A9171989A479C0618D_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_LowerCaseMappingU5BU5D_t70011E1042888E1D071920A9171989A479C0618D(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(LowerCaseMappingU5BU5D_t70011E1042888E1D071920A9171989A479C0618D_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) LowerCaseMappingU5BU5D_t70011E1042888E1D071920A9171989A479C0618D_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Text.RegularExpressions.RegexFC[] struct RegexFCU5BU5D_tCABE05C26F3229DFDD9C8A86F3BA828C18F02D72_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<RegexFCU5BU5D_tCABE05C26F3229DFDD9C8A86F3BA828C18F02D72_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline RegexFCU5BU5D_tCABE05C26F3229DFDD9C8A86F3BA828C18F02D72_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<RegexFCU5BU5D_tCABE05C26F3229DFDD9C8A86F3BA828C18F02D72_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_RegexFCU5BU5D_tCABE05C26F3229DFDD9C8A86F3BA828C18F02D72(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(RegexFCU5BU5D_tCABE05C26F3229DFDD9C8A86F3BA828C18F02D72_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) RegexFCU5BU5D_tCABE05C26F3229DFDD9C8A86F3BA828C18F02D72_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Text.RegularExpressions.RegexNode[] struct RegexNodeU5BU5D_tB18DB177D95C55B94FF9644849C7D38F5CD12CB8_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<RegexNodeU5BU5D_tB18DB177D95C55B94FF9644849C7D38F5CD12CB8_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline RegexNodeU5BU5D_tB18DB177D95C55B94FF9644849C7D38F5CD12CB8_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<RegexNodeU5BU5D_tB18DB177D95C55B94FF9644849C7D38F5CD12CB8_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_RegexNodeU5BU5D_tB18DB177D95C55B94FF9644849C7D38F5CD12CB8(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(RegexNodeU5BU5D_tB18DB177D95C55B94FF9644849C7D38F5CD12CB8_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) RegexNodeU5BU5D_tB18DB177D95C55B94FF9644849C7D38F5CD12CB8_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Text.RegularExpressions.Group[] struct GroupU5BU5D_t40CFA194F8EE1BF5E560B7C1E2C8F48220C93910_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<GroupU5BU5D_t40CFA194F8EE1BF5E560B7C1E2C8F48220C93910_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline GroupU5BU5D_t40CFA194F8EE1BF5E560B7C1E2C8F48220C93910_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<GroupU5BU5D_t40CFA194F8EE1BF5E560B7C1E2C8F48220C93910_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_GroupU5BU5D_t40CFA194F8EE1BF5E560B7C1E2C8F48220C93910(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(GroupU5BU5D_t40CFA194F8EE1BF5E560B7C1E2C8F48220C93910_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) GroupU5BU5D_t40CFA194F8EE1BF5E560B7C1E2C8F48220C93910_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Text.RegularExpressions.RegexOptions[] struct RegexOptionsU5BU5D_tCEBB5AC9D93A04FE8FCBB9E78F6F703149D5C41D_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<RegexOptionsU5BU5D_tCEBB5AC9D93A04FE8FCBB9E78F6F703149D5C41D_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline RegexOptionsU5BU5D_tCEBB5AC9D93A04FE8FCBB9E78F6F703149D5C41D_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<RegexOptionsU5BU5D_tCEBB5AC9D93A04FE8FCBB9E78F6F703149D5C41D_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_RegexOptionsU5BU5D_tCEBB5AC9D93A04FE8FCBB9E78F6F703149D5C41D(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(RegexOptionsU5BU5D_tCEBB5AC9D93A04FE8FCBB9E78F6F703149D5C41D_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) RegexOptionsU5BU5D_tCEBB5AC9D93A04FE8FCBB9E78F6F703149D5C41D_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.ComponentModel.PropertyDescriptor[] struct PropertyDescriptorU5BU5D_tBC9023EDDB37EAAAA6FB719C13CEF781F74B2C1F_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<PropertyDescriptorU5BU5D_tBC9023EDDB37EAAAA6FB719C13CEF781F74B2C1F_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline PropertyDescriptorU5BU5D_tBC9023EDDB37EAAAA6FB719C13CEF781F74B2C1F_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<PropertyDescriptorU5BU5D_tBC9023EDDB37EAAAA6FB719C13CEF781F74B2C1F_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_PropertyDescriptorU5BU5D_tBC9023EDDB37EAAAA6FB719C13CEF781F74B2C1F(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(PropertyDescriptorU5BU5D_tBC9023EDDB37EAAAA6FB719C13CEF781F74B2C1F_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) PropertyDescriptorU5BU5D_tBC9023EDDB37EAAAA6FB719C13CEF781F74B2C1F_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.ComponentModel.MemberDescriptor[] struct MemberDescriptorU5BU5D_tD49EF2BB34816B1F5C1C82103F7DBDA5DC92323E_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<MemberDescriptorU5BU5D_tD49EF2BB34816B1F5C1C82103F7DBDA5DC92323E_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline MemberDescriptorU5BU5D_tD49EF2BB34816B1F5C1C82103F7DBDA5DC92323E_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<MemberDescriptorU5BU5D_tD49EF2BB34816B1F5C1C82103F7DBDA5DC92323E_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_MemberDescriptorU5BU5D_tD49EF2BB34816B1F5C1C82103F7DBDA5DC92323E(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(MemberDescriptorU5BU5D_tD49EF2BB34816B1F5C1C82103F7DBDA5DC92323E_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) MemberDescriptorU5BU5D_tD49EF2BB34816B1F5C1C82103F7DBDA5DC92323E_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.ComponentModel.AttributeCollection_AttributeEntry[] struct AttributeEntryU5BU5D_t82EF07E3984B106E346A6B35336772424C0FCB5A_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<AttributeEntryU5BU5D_t82EF07E3984B106E346A6B35336772424C0FCB5A_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline AttributeEntryU5BU5D_t82EF07E3984B106E346A6B35336772424C0FCB5A_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<AttributeEntryU5BU5D_t82EF07E3984B106E346A6B35336772424C0FCB5A_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_AttributeEntryU5BU5D_t82EF07E3984B106E346A6B35336772424C0FCB5A(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(AttributeEntryU5BU5D_t82EF07E3984B106E346A6B35336772424C0FCB5A_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) AttributeEntryU5BU5D_t82EF07E3984B106E346A6B35336772424C0FCB5A_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.ComponentModel.IComponent[] struct IComponentU5BU5D_t5CEA92CD84EBC4469803207406088BEE73CB3E16_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<IComponentU5BU5D_t5CEA92CD84EBC4469803207406088BEE73CB3E16_ComCallableWrapper>, IIterable_1_t9040704BA642F3FA15C2C50AF7FDF3484F397EE5, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_tF3B2B40FDDDE17CEA38544E22397D2F5C2698E85, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline IComponentU5BU5D_t5CEA92CD84EBC4469803207406088BEE73CB3E16_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<IComponentU5BU5D_t5CEA92CD84EBC4469803207406088BEE73CB3E16_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_t9040704BA642F3FA15C2C50AF7FDF3484F397EE5::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_t9040704BA642F3FA15C2C50AF7FDF3484F397EE5*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_tF3B2B40FDDDE17CEA38544E22397D2F5C2698E85::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_tF3B2B40FDDDE17CEA38544E22397D2F5C2698E85*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_t9040704BA642F3FA15C2C50AF7FDF3484F397EE5::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_tF3B2B40FDDDE17CEA38544E22397D2F5C2698E85::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m66AE02B95C12AA29398F853CBBCB981F758D1D7B(IIterator_1_tFCCB84984712ACE35E2C9D0FFBB7CFE2CD913B43** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m66AE02B95C12AA29398F853CBBCB981F758D1D7B_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mF09C0ACF185B36DEE44FC0D08172713153119DE1(uint32_t ___index0, IClosable_t5808AF951019E4388C66F7A88AC569F52F581167** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mF09C0ACF185B36DEE44FC0D08172713153119DE1_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m3313994A76530A8C4479916841C82C0D08EFAC79(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m3313994A76530A8C4479916841C82C0D08EFAC79_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_mDB1287B8A5CC74E6FCC29981DD88C2C7386EC4E7(IClosable_t5808AF951019E4388C66F7A88AC569F52F581167* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_mDB1287B8A5CC74E6FCC29981DD88C2C7386EC4E7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m4955F7C6504C5A36D92A21A0AC6FDD34FF016A93(uint32_t ___startIndex0, uint32_t ___items1ArraySize, IClosable_t5808AF951019E4388C66F7A88AC569F52F581167** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m4955F7C6504C5A36D92A21A0AC6FDD34FF016A93_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_IComponentU5BU5D_t5CEA92CD84EBC4469803207406088BEE73CB3E16(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(IComponentU5BU5D_t5CEA92CD84EBC4469803207406088BEE73CB3E16_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) IComponentU5BU5D_t5CEA92CD84EBC4469803207406088BEE73CB3E16_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.ComponentModel.ISite[] struct ISiteU5BU5D_t26A1BA57EE8683FC59C3BDD15CA00512F5A520A8_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<ISiteU5BU5D_t26A1BA57EE8683FC59C3BDD15CA00512F5A520A8_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline ISiteU5BU5D_t26A1BA57EE8683FC59C3BDD15CA00512F5A520A8_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<ISiteU5BU5D_t26A1BA57EE8683FC59C3BDD15CA00512F5A520A8_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_ISiteU5BU5D_t26A1BA57EE8683FC59C3BDD15CA00512F5A520A8(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(ISiteU5BU5D_t26A1BA57EE8683FC59C3BDD15CA00512F5A520A8_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) ISiteU5BU5D_t26A1BA57EE8683FC59C3BDD15CA00512F5A520A8_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.IServiceProvider[] struct IServiceProviderU5BU5D_tA2F273BFAFBD0608D953C470861069D3EB3CC705_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<IServiceProviderU5BU5D_tA2F273BFAFBD0608D953C470861069D3EB3CC705_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline IServiceProviderU5BU5D_tA2F273BFAFBD0608D953C470861069D3EB3CC705_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<IServiceProviderU5BU5D_tA2F273BFAFBD0608D953C470861069D3EB3CC705_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_IServiceProviderU5BU5D_tA2F273BFAFBD0608D953C470861069D3EB3CC705(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(IServiceProviderU5BU5D_tA2F273BFAFBD0608D953C470861069D3EB3CC705_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) IServiceProviderU5BU5D_tA2F273BFAFBD0608D953C470861069D3EB3CC705_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.ComponentModel.IExtenderProvider[] struct IExtenderProviderU5BU5D_t98121652302DA48EF1CB12054524D95ED4B63031_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<IExtenderProviderU5BU5D_t98121652302DA48EF1CB12054524D95ED4B63031_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline IExtenderProviderU5BU5D_t98121652302DA48EF1CB12054524D95ED4B63031_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<IExtenderProviderU5BU5D_t98121652302DA48EF1CB12054524D95ED4B63031_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_IExtenderProviderU5BU5D_t98121652302DA48EF1CB12054524D95ED4B63031(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(IExtenderProviderU5BU5D_t98121652302DA48EF1CB12054524D95ED4B63031_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) IExtenderProviderU5BU5D_t98121652302DA48EF1CB12054524D95ED4B63031_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.Enum[] struct EnumU5BU5D_t89BCD01877A8CDBF7729DE77C6185E8DC1432BCA_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EnumU5BU5D_t89BCD01877A8CDBF7729DE77C6185E8DC1432BCA_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EnumU5BU5D_t89BCD01877A8CDBF7729DE77C6185E8DC1432BCA_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EnumU5BU5D_t89BCD01877A8CDBF7729DE77C6185E8DC1432BCA_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EnumU5BU5D_t89BCD01877A8CDBF7729DE77C6185E8DC1432BCA(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EnumU5BU5D_t89BCD01877A8CDBF7729DE77C6185E8DC1432BCA_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EnumU5BU5D_t89BCD01877A8CDBF7729DE77C6185E8DC1432BCA_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.IFormattable[] struct IFormattableU5BU5D_t7338CC3879FB5BB49CB5F427C3EA476AD63496DD_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<IFormattableU5BU5D_t7338CC3879FB5BB49CB5F427C3EA476AD63496DD_ComCallableWrapper>, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline IFormattableU5BU5D_t7338CC3879FB5BB49CB5F427C3EA476AD63496DD_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<IFormattableU5BU5D_t7338CC3879FB5BB49CB5F427C3EA476AD63496DD_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(2); interfaceIds[0] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[1] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 2; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_IFormattableU5BU5D_t7338CC3879FB5BB49CB5F427C3EA476AD63496DD(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(IFormattableU5BU5D_t7338CC3879FB5BB49CB5F427C3EA476AD63496DD_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) IFormattableU5BU5D_t7338CC3879FB5BB49CB5F427C3EA476AD63496DD_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.ValueType[] struct ValueTypeU5BU5D_t855287EAC882F1430BF9355BD79647C796DF411D_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<ValueTypeU5BU5D_t855287EAC882F1430BF9355BD79647C796DF411D_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline ValueTypeU5BU5D_t855287EAC882F1430BF9355BD79647C796DF411D_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<ValueTypeU5BU5D_t855287EAC882F1430BF9355BD79647C796DF411D_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_ValueTypeU5BU5D_t855287EAC882F1430BF9355BD79647C796DF411D(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(ValueTypeU5BU5D_t855287EAC882F1430BF9355BD79647C796DF411D_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) ValueTypeU5BU5D_t855287EAC882F1430BF9355BD79647C796DF411D_ComCallableWrapper(obj)); } // COM Callable Wrapper for System.ComponentModel.EventDescriptor[] struct EventDescriptorU5BU5D_t813A4DE1E217CA821E8389F24AB1562B0A5458C4_ComCallableWrapper IL2CPP_FINAL : il2cpp::vm::CachedCCWBase<EventDescriptorU5BU5D_t813A4DE1E217CA821E8389F24AB1562B0A5458C4_ComCallableWrapper>, IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397, IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7, IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356, IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39 { inline EventDescriptorU5BU5D_t813A4DE1E217CA821E8389F24AB1562B0A5458C4_ComCallableWrapper(RuntimeObject* obj) : il2cpp::vm::CachedCCWBase<EventDescriptorU5BU5D_t813A4DE1E217CA821E8389F24AB1562B0A5458C4_ComCallableWrapper>(obj) {} virtual il2cpp_hresult_t STDCALL QueryInterface(const Il2CppGuid& iid, void** object) IL2CPP_OVERRIDE { if (::memcmp(&iid, &Il2CppIUnknown::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIInspectable::IID, sizeof(Il2CppGuid)) == 0 || ::memcmp(&iid, &Il2CppIAgileObject::IID, sizeof(Il2CppGuid)) == 0) { *object = GetIdentity(); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIManagedObjectHolder::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIManagedObjectHolder*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIMarshal::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIMarshal*>(this); AddRefImpl(); return IL2CPP_S_OK; } if (::memcmp(&iid, &Il2CppIWeakReferenceSource::IID, sizeof(Il2CppGuid)) == 0) { *object = static_cast<Il2CppIWeakReferenceSource*>(this); AddRefImpl(); return IL2CPP_S_OK; } *object = NULL; return IL2CPP_E_NOINTERFACE; } virtual uint32_t STDCALL AddRef() IL2CPP_OVERRIDE { return AddRefImpl(); } virtual uint32_t STDCALL Release() IL2CPP_OVERRIDE { return ReleaseImpl(); } virtual il2cpp_hresult_t STDCALL GetIids(uint32_t* iidCount, Il2CppGuid** iids) IL2CPP_OVERRIDE { Il2CppGuid* interfaceIds = il2cpp_codegen_marshal_allocate_array<Il2CppGuid>(4); interfaceIds[0] = IIterable_1_tCEBE09BB51EEAF144D8DFD26AEE42C0695F99397::IID; interfaceIds[1] = IBindableIterable_t9143D67D77A22933794984D33C26495AE2C9D6D7::IID; interfaceIds[2] = IVectorView_1_t8FBE5F15A5FFCD784D7B38F649A6315DDACD4356::IID; interfaceIds[3] = IBindableVector_tA1A0182B1D20219B22AE55394F419A2646929D39::IID; *iidCount = 4; *iids = interfaceIds; return IL2CPP_S_OK; } virtual il2cpp_hresult_t STDCALL GetRuntimeClassName(Il2CppHString* className) IL2CPP_OVERRIDE { return GetRuntimeClassNameImpl(className); } virtual il2cpp_hresult_t STDCALL GetTrustLevel(int32_t* trustLevel) IL2CPP_OVERRIDE { return ComObjectBase::GetTrustLevel(trustLevel); } virtual il2cpp_hresult_t STDCALL IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E(IIterator_1_t0E6849676A0AAF0EFC91B07D0CDDD1843CA1A616** comReturnValue) IL2CPP_OVERRIDE { return IIterable_1_First_m1B7A0980705E71FC04AE1DB4CAABD75131CD930E_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63(IBindableIterator_t4EB9DDBBBED9295CB77A2FAD2C1171407B95575B** comReturnValue) IL2CPP_OVERRIDE { return IBindableIterable_First_m35A822CD2DF5C55F51539416F98640C7123A6C63_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetAt_mD3660639E080D0270BD89F5FF0E11D420C7C24A3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_get_Size_m0843BB6131B4AABC19D01E1F36A545E661F1D836_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_IndexOf_m5856F61ED284420941D9E9331FB3334F5592B4B7_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3(uint32_t ___startIndex0, uint32_t ___items1ArraySize, Il2CppIInspectable** ___items1, uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IVectorView_1_GetMany_m7D4ECA15D113EFDF96BC56FFEA31151E28191EB3_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___startIndex0, ___items1ArraySize, ___items1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD(uint32_t ___index0, Il2CppIInspectable** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetAt_m860227C0726F0C40C40300F2D114C90C040DCFBD_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771(uint32_t* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_get_Size_m1804E8861F18C40EC16058667D11382062A82771_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55(IBindableVectorView_t599103232DE439473A83B23E8CC3259B59BFC11E** comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_GetView_m4C2BFF3B150F6EB8019728B4C2C2AF5879A81B55_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489(Il2CppIInspectable* ___value0, uint32_t* ___index1, bool* comReturnValue) IL2CPP_OVERRIDE { return IBindableVector_IndexOf_mF971A05290A1678F48EC52978E53A9CBA688E489_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0, ___index1, comReturnValue); } virtual il2cpp_hresult_t STDCALL IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_SetAt_m4658569CC8E08EF010A7EB35E66059F7D4BBFDB8_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59(uint32_t ___index0, Il2CppIInspectable* ___value1) IL2CPP_OVERRIDE { return IBindableVector_InsertAt_mA154571EE15503B3425185CFB55419AA4ED3BD59_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0, ___value1); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C(uint32_t ___index0) IL2CPP_OVERRIDE { return IBindableVector_RemoveAt_m7B14341EBAE9C5799028FC3EF0771210595F4E3C_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___index0); } virtual il2cpp_hresult_t STDCALL IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214(Il2CppIInspectable* ___value0) IL2CPP_OVERRIDE { return IBindableVector_Append_m623B1AF95642A0AE7BE231983B60CC203FDF4214_ComCallableWrapperProjectedMethod(GetManagedObjectInline(), ___value0); } virtual il2cpp_hresult_t STDCALL IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC() IL2CPP_OVERRIDE { return IBindableVector_RemoveAtEnd_m391C9A85A1C813017D9EBB3211CA294156F654FC_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } virtual il2cpp_hresult_t STDCALL IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1() IL2CPP_OVERRIDE { return IBindableVector_Clear_mBEA87A79EBF207B3F5701BB09506759CBC6F5ED1_ComCallableWrapperProjectedMethod(GetManagedObjectInline()); } }; IL2CPP_EXTERN_C Il2CppIUnknown* CreateComCallableWrapperFor_EventDescriptorU5BU5D_t813A4DE1E217CA821E8389F24AB1562B0A5458C4(RuntimeObject* obj) { void* memory = il2cpp::utils::Memory::Malloc(sizeof(EventDescriptorU5BU5D_t813A4DE1E217CA821E8389F24AB1562B0A5458C4_ComCallableWrapper)); if (memory == NULL) { il2cpp_codegen_raise_out_of_memory_exception(); } return static_cast<Il2CppIManagedObjectHolder*>(new(memory) EventDescriptorU5BU5D_t813A4DE1E217CA821E8389F24AB1562B0A5458C4_ComCallableWrapper(obj)); }
[ "50009504+Orkanelf@users.noreply.github.com" ]
50009504+Orkanelf@users.noreply.github.com
8a2b1fc8c111bba5898f786bb87f1a85afb9477d
82fb691ff5d7314bf20b9fc10a395d699dbca9cb
/tests/quickiosunittests/tst_quickiosunittests.cpp
9e3b1f401dc400ebe3b06a7dd3a068d620e4bca1
[ "Apache-2.0" ]
permissive
toby20130333/quickios
0cd2034efba0dbe7bddf0771f957c2b3ef6cf2ce
b0078e785cfa66a13daac1a1ff824a34aa637061
refs/heads/master
2020-12-25T01:51:38.037688
2015-09-05T10:28:51
2015-09-05T10:28:51
42,095,370
1
0
null
2015-09-08T06:55:52
2015-09-08T06:55:51
null
UTF-8
C++
false
false
2,184
cpp
#include <QString> #include <QtTest> #include <QCoreApplication> #include <QQmlEngine> #include <QQmlComponent> #include "quickios.h" class QuickIOSUnitTests : public QObject { Q_OBJECT public: QuickIOSUnitTests(); private Q_SLOTS: void initTestCase(); void cleanupTestCase(); void resourceLoading(); }; QuickIOSUnitTests::QuickIOSUnitTests() { } void QuickIOSUnitTests::initTestCase() { QuickIOS::registerTypes(); } void QuickIOSUnitTests::cleanupTestCase() { } void QuickIOSUnitTests::resourceLoading() { QQueue<QString> queue; queue.enqueue(":/"); QQmlEngine engine; engine.addImportPath("qrc:///"); while (queue.size()) { QString path = queue.dequeue(); QDir dir(path); QFileInfoList infos = dir.entryInfoList(QStringList()); for (int i = 0 ; i < infos.size();i++) { QFileInfo info = infos.at(i); if (info.fileName() == "." || info.fileName() == "..") continue; if (info.isDir()) { queue.enqueue(info.absoluteFilePath()); continue; } QUrl url = info.absoluteFilePath().remove(0,1); url.setScheme("qrc"); if (info.suffix() != "qml") { continue; } QFile file(":" + url.path()); QVERIFY(file.open(QIODevice::ReadOnly)); QString content = file.readAll(); content = content.toLower(); // Skip singleton module as it can not be loaded directly if (content.indexOf("pragma singleton") != -1) { qDebug() << QString("%1 : Skipped (singleton)").arg(url.toString()); continue; } QQmlComponent comp(&engine); comp.loadUrl(url); if (comp.isError()) { qDebug() << QString("%1 : Load Failed. Reason : %2").arg(info.absoluteFilePath()).arg(comp.errorString()); } QVERIFY(!comp.isError()); qDebug() << QString("%1 : Passed").arg(info.absoluteFilePath()); } } } QTEST_MAIN(QuickIOSUnitTests) #include "tst_quickiosunittests.moc"
[ "xbenlau@gmail.com" ]
xbenlau@gmail.com
9ca99fee155c20d4c2a8e15ebb2dab8500e5f30b
75e49b7e53cf60c99b7ab338127028a457e2721b
/sources/plug_wx/src/luna/bind_wxTopLevelWindow.cpp
35e082d9d720a1bc4af946d104a4b1f2e59cb156
[]
no_license
roche-emmanuel/singularity
32f47813c90b9cd5655f3bead9997215cbf02d6a
e9165d68fc09d2767e8acb1e9e0493a014b87399
refs/heads/master
2021-01-12T01:21:39.961949
2012-10-05T10:48:21
2012-10-05T10:48:21
78,375,325
0
0
null
null
null
null
UTF-8
C++
false
false
46,498
cpp
#include <plug_common.h> class luna_wrapper_wxTopLevelWindow { public: typedef Luna< wxTopLevelWindow > luna_t; // Derived class converters: static int _cast_from_wxObject(lua_State *L) { // all checked are already performed before reaching this point. wxTopLevelWindow* ptr= dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!ptr) return 0; // Otherwise push the pointer: Luna< wxTopLevelWindow >::push(L,ptr,false); return 1; }; // Constructor checkers: inline static bool _lg_typecheck_ctor_overload_1(lua_State *L) { if( lua_gettop(L)!=0 ) return false; return true; } inline static bool _lg_typecheck_ctor_overload_2(lua_State *L) { int luatop = lua_gettop(L); if( luatop<3 || luatop>7 ) return false; if( (lua_isnil(L,1)==0 && !Luna<void>::has_uniqueid(L,1,56813631)) ) return false; if( (lua_isnumber(L,2)==0 || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; if( lua_isstring(L,3)==0 ) return false; if( luatop>3 && !Luna<void>::has_uniqueid(L,4,25723480) ) return false; if( luatop>4 && !Luna<void>::has_uniqueid(L,5,20268751) ) return false; if( luatop>5 && (lua_isnumber(L,6)==0 || lua_tointeger(L,6) != lua_tonumber(L,6)) ) return false; if( luatop>6 && lua_isstring(L,7)==0 ) return false; return true; } // Function checkers: inline static bool _lg_typecheck_Create(lua_State *L) { int luatop = lua_gettop(L); if( luatop<4 || luatop>8 ) return false; if( (lua_isnil(L,2)==0 && !Luna<void>::has_uniqueid(L,2,56813631)) ) return false; if( (lua_isnumber(L,3)==0 || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; if( lua_isstring(L,4)==0 ) return false; if( luatop>4 && !Luna<void>::has_uniqueid(L,5,25723480) ) return false; if( luatop>5 && !Luna<void>::has_uniqueid(L,6,20268751) ) return false; if( luatop>6 && (lua_isnumber(L,7)==0 || lua_tointeger(L,7) != lua_tonumber(L,7)) ) return false; if( luatop>7 && lua_isstring(L,8)==0 ) return false; return true; } inline static bool _lg_typecheck_CanSetTransparent(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_CenterOnScreen(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_isnumber(L,2)==0 || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_CentreOnScreen(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>2 ) return false; if( luatop>1 && (lua_isnumber(L,2)==0 || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_EnableCloseButton(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>2 ) return false; if( luatop>1 && lua_isboolean(L,2)==0 ) return false; return true; } inline static bool _lg_typecheck_GetDefaultItem(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_GetIcon(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_GetIcons(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_GetTitle(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_Iconize(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>2 ) return false; if( luatop>1 && lua_isboolean(L,2)==0 ) return false; return true; } inline static bool _lg_typecheck_IsActive(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_IsAlwaysMaximized(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_IsFullScreen(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_IsIconized(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_IsMaximized(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_Layout(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_Maximize(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>2 ) return false; if( luatop>1 && lua_isboolean(L,2)==0 ) return false; return true; } inline static bool _lg_typecheck_MSWGetSystemMenu(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_RequestUserAttention(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>2 ) return false; if( luatop>1 && (lua_isnumber(L,2)==0 || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_SetDefaultItem(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_isnil(L,2)==0 && !Luna<void>::has_uniqueid(L,2,56813631)) ) return false; return true; } inline static bool _lg_typecheck_SetTmpDefaultItem(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_isnil(L,2)==0 && !Luna<void>::has_uniqueid(L,2,56813631)) ) return false; return true; } inline static bool _lg_typecheck_GetTmpDefaultItem(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_SetIcon(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,56813631) ) return false; return true; } inline static bool _lg_typecheck_SetIcons(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,56813631) ) return false; return true; } inline static bool _lg_typecheck_SetMaxSize(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,20268751) ) return false; return true; } inline static bool _lg_typecheck_SetMinSize(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,20268751) ) return false; return true; } inline static bool _lg_typecheck_SetSizeHints_overload_1(lua_State *L) { int luatop = lua_gettop(L); if( luatop<3 || luatop>7 ) return false; if( (lua_isnumber(L,2)==0 || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; if( (lua_isnumber(L,3)==0 || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; if( luatop>3 && (lua_isnumber(L,4)==0 || lua_tointeger(L,4) != lua_tonumber(L,4)) ) return false; if( luatop>4 && (lua_isnumber(L,5)==0 || lua_tointeger(L,5) != lua_tonumber(L,5)) ) return false; if( luatop>5 && (lua_isnumber(L,6)==0 || lua_tointeger(L,6) != lua_tonumber(L,6)) ) return false; if( luatop>6 && (lua_isnumber(L,7)==0 || lua_tointeger(L,7) != lua_tonumber(L,7)) ) return false; return true; } inline static bool _lg_typecheck_SetSizeHints_overload_2(lua_State *L) { int luatop = lua_gettop(L); if( luatop<2 || luatop>4 ) return false; if( !Luna<void>::has_uniqueid(L,2,20268751) ) return false; if( luatop>2 && !Luna<void>::has_uniqueid(L,3,20268751) ) return false; if( luatop>3 && !Luna<void>::has_uniqueid(L,4,20268751) ) return false; return true; } inline static bool _lg_typecheck_SetTitle(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( lua_isstring(L,2)==0 ) return false; return true; } inline static bool _lg_typecheck_SetTransparent(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_isnumber(L,2)==0 || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_ShouldPreventAppExit(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_OSXSetModified(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( lua_isboolean(L,2)==0 ) return false; return true; } inline static bool _lg_typecheck_OSXIsModified(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_ShowFullScreen(lua_State *L) { int luatop = lua_gettop(L); if( luatop<2 || luatop>3 ) return false; if( lua_isboolean(L,2)==0 ) return false; if( luatop>2 && (lua_isnumber(L,3)==0 || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; return true; } inline static bool _lg_typecheck_GetDefaultSize(lua_State *L) { if( lua_gettop(L)!=0 ) return false; return true; } // Operator checkers: // (found 0 valid operators) // Constructor binds: // wxTopLevelWindow::wxTopLevelWindow() static wxTopLevelWindow* _bind_ctor_overload_1(lua_State *L) { if (!_lg_typecheck_ctor_overload_1(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in wxTopLevelWindow::wxTopLevelWindow() function, expected prototype:\nwxTopLevelWindow::wxTopLevelWindow()\nClass arguments details:\n"); } return new wxTopLevelWindow(); } // wxTopLevelWindow::wxTopLevelWindow(wxWindow * parent, int id, const wxString & title, const wxPoint & pos = wxDefaultPosition, const wxSize & size = wxDefaultSize, long style = wxDEFAULT_FRAME_STYLE, const wxString & name = wxFrameNameStr) static wxTopLevelWindow* _bind_ctor_overload_2(lua_State *L) { if (!_lg_typecheck_ctor_overload_2(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in wxTopLevelWindow::wxTopLevelWindow(wxWindow * parent, int id, const wxString & title, const wxPoint & pos = wxDefaultPosition, const wxSize & size = wxDefaultSize, long style = wxDEFAULT_FRAME_STYLE, const wxString & name = wxFrameNameStr) function, expected prototype:\nwxTopLevelWindow::wxTopLevelWindow(wxWindow * parent, int id, const wxString & title, const wxPoint & pos = wxDefaultPosition, const wxSize & size = wxDefaultSize, long style = wxDEFAULT_FRAME_STYLE, const wxString & name = wxFrameNameStr)\nClass arguments details:\narg 1 ID = 56813631\narg 3 ID = 88196105\narg 4 ID = 25723480\narg 5 ID = 20268751\narg 7 ID = 88196105\n"); } int luatop = lua_gettop(L); wxWindow* parent=dynamic_cast< wxWindow* >(Luna< wxObject >::check(L,1)); int id=(int)lua_tointeger(L,2); wxString title(lua_tostring(L,3),lua_objlen(L,3)); const wxPoint* pos_ptr=luatop>3 ? (Luna< wxPoint >::check(L,4)) : NULL; if( luatop>3 && !pos_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg pos in wxTopLevelWindow::wxTopLevelWindow function"); } const wxPoint & pos=luatop>3 ? *pos_ptr : wxDefaultPosition; const wxSize* size_ptr=luatop>4 ? (Luna< wxSize >::check(L,5)) : NULL; if( luatop>4 && !size_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg size in wxTopLevelWindow::wxTopLevelWindow function"); } const wxSize & size=luatop>4 ? *size_ptr : wxDefaultSize; long style=luatop>5 ? (long)lua_tointeger(L,6) : wxDEFAULT_FRAME_STYLE; wxString name(lua_tostring(L,7),lua_objlen(L,7)); return new wxTopLevelWindow(parent, id, title, pos, size, style, name); } // Overload binder for wxTopLevelWindow::wxTopLevelWindow static wxTopLevelWindow* _bind_ctor(lua_State *L) { if (_lg_typecheck_ctor_overload_1(L)) return _bind_ctor_overload_1(L); if (_lg_typecheck_ctor_overload_2(L)) return _bind_ctor_overload_2(L); luaL_error(L, "error in function wxTopLevelWindow, cannot match any of the overloads for function wxTopLevelWindow:\n wxTopLevelWindow()\n wxTopLevelWindow(wxWindow *, int, const wxString &, const wxPoint &, const wxSize &, long, const wxString &)\n"); return NULL; } // Function binds: // bool wxTopLevelWindow::Create(wxWindow * parent, int id, const wxString & title, const wxPoint & pos = wxDefaultPosition, const wxSize & size = wxDefaultSize, long style = wxDEFAULT_FRAME_STYLE, const wxString & name = wxFrameNameStr) static int _bind_Create(lua_State *L) { if (!_lg_typecheck_Create(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::Create(wxWindow * parent, int id, const wxString & title, const wxPoint & pos = wxDefaultPosition, const wxSize & size = wxDefaultSize, long style = wxDEFAULT_FRAME_STYLE, const wxString & name = wxFrameNameStr) function, expected prototype:\nbool wxTopLevelWindow::Create(wxWindow * parent, int id, const wxString & title, const wxPoint & pos = wxDefaultPosition, const wxSize & size = wxDefaultSize, long style = wxDEFAULT_FRAME_STYLE, const wxString & name = wxFrameNameStr)\nClass arguments details:\narg 1 ID = 56813631\narg 3 ID = 88196105\narg 4 ID = 25723480\narg 5 ID = 20268751\narg 7 ID = 88196105\n"); } int luatop = lua_gettop(L); wxWindow* parent=dynamic_cast< wxWindow* >(Luna< wxObject >::check(L,2)); int id=(int)lua_tointeger(L,3); wxString title(lua_tostring(L,4),lua_objlen(L,4)); const wxPoint* pos_ptr=luatop>4 ? (Luna< wxPoint >::check(L,5)) : NULL; if( luatop>4 && !pos_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg pos in wxTopLevelWindow::Create function"); } const wxPoint & pos=luatop>4 ? *pos_ptr : wxDefaultPosition; const wxSize* size_ptr=luatop>5 ? (Luna< wxSize >::check(L,6)) : NULL; if( luatop>5 && !size_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg size in wxTopLevelWindow::Create function"); } const wxSize & size=luatop>5 ? *size_ptr : wxDefaultSize; long style=luatop>6 ? (long)lua_tointeger(L,7) : wxDEFAULT_FRAME_STYLE; wxString name(lua_tostring(L,8),lua_objlen(L,8)); wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::Create(wxWindow *, int, const wxString &, const wxPoint &, const wxSize &, long, const wxString &)"); } bool lret = self->Create(parent, id, title, pos, size, style, name); lua_pushboolean(L,lret?1:0); return 1; } // bool wxTopLevelWindow::CanSetTransparent() static int _bind_CanSetTransparent(lua_State *L) { if (!_lg_typecheck_CanSetTransparent(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::CanSetTransparent() function, expected prototype:\nbool wxTopLevelWindow::CanSetTransparent()\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::CanSetTransparent()"); } bool lret = self->CanSetTransparent(); lua_pushboolean(L,lret?1:0); return 1; } // void wxTopLevelWindow::CenterOnScreen(int direction) static int _bind_CenterOnScreen(lua_State *L) { if (!_lg_typecheck_CenterOnScreen(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::CenterOnScreen(int direction) function, expected prototype:\nvoid wxTopLevelWindow::CenterOnScreen(int direction)\nClass arguments details:\n"); } int direction=(int)lua_tointeger(L,2); wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::CenterOnScreen(int)"); } self->CenterOnScreen(direction); return 0; } // void wxTopLevelWindow::CentreOnScreen(int direction = wxBOTH) static int _bind_CentreOnScreen(lua_State *L) { if (!_lg_typecheck_CentreOnScreen(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::CentreOnScreen(int direction = wxBOTH) function, expected prototype:\nvoid wxTopLevelWindow::CentreOnScreen(int direction = wxBOTH)\nClass arguments details:\n"); } int luatop = lua_gettop(L); int direction=luatop>1 ? (int)lua_tointeger(L,2) : wxBOTH; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::CentreOnScreen(int)"); } self->CentreOnScreen(direction); return 0; } // bool wxTopLevelWindow::EnableCloseButton(bool enable = true) static int _bind_EnableCloseButton(lua_State *L) { if (!_lg_typecheck_EnableCloseButton(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::EnableCloseButton(bool enable = true) function, expected prototype:\nbool wxTopLevelWindow::EnableCloseButton(bool enable = true)\nClass arguments details:\n"); } int luatop = lua_gettop(L); bool enable=luatop>1 ? (bool)(lua_toboolean(L,2)==1) : true; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::EnableCloseButton(bool)"); } bool lret = self->EnableCloseButton(enable); lua_pushboolean(L,lret?1:0); return 1; } // wxWindow * wxTopLevelWindow::GetDefaultItem() const static int _bind_GetDefaultItem(lua_State *L) { if (!_lg_typecheck_GetDefaultItem(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in wxWindow * wxTopLevelWindow::GetDefaultItem() const function, expected prototype:\nwxWindow * wxTopLevelWindow::GetDefaultItem() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call wxWindow * wxTopLevelWindow::GetDefaultItem() const"); } wxWindow * lret = self->GetDefaultItem(); if(!lret) return 0; // Do not write NULL pointers. Luna< wxWindow >::push(L,lret,false); return 1; } // wxIcon wxTopLevelWindow::GetIcon() const static int _bind_GetIcon(lua_State *L) { if (!_lg_typecheck_GetIcon(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in wxIcon wxTopLevelWindow::GetIcon() const function, expected prototype:\nwxIcon wxTopLevelWindow::GetIcon() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call wxIcon wxTopLevelWindow::GetIcon() const"); } wxIcon stack_lret = self->GetIcon(); wxIcon* lret = new wxIcon(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxIcon >::push(L,lret,true); return 1; } // const wxIconBundle & wxTopLevelWindow::GetIcons() const static int _bind_GetIcons(lua_State *L) { if (!_lg_typecheck_GetIcons(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in const wxIconBundle & wxTopLevelWindow::GetIcons() const function, expected prototype:\nconst wxIconBundle & wxTopLevelWindow::GetIcons() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call const wxIconBundle & wxTopLevelWindow::GetIcons() const"); } const wxIconBundle* lret = &self->GetIcons(); if(!lret) return 0; // Do not write NULL pointers. Luna< wxIconBundle >::push(L,lret,false); return 1; } // wxString wxTopLevelWindow::GetTitle() const static int _bind_GetTitle(lua_State *L) { if (!_lg_typecheck_GetTitle(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in wxString wxTopLevelWindow::GetTitle() const function, expected prototype:\nwxString wxTopLevelWindow::GetTitle() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call wxString wxTopLevelWindow::GetTitle() const"); } wxString lret = self->GetTitle(); lua_pushlstring(L,lret.data(),lret.size()); return 1; } // void wxTopLevelWindow::Iconize(bool iconize = true) static int _bind_Iconize(lua_State *L) { if (!_lg_typecheck_Iconize(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::Iconize(bool iconize = true) function, expected prototype:\nvoid wxTopLevelWindow::Iconize(bool iconize = true)\nClass arguments details:\n"); } int luatop = lua_gettop(L); bool iconize=luatop>1 ? (bool)(lua_toboolean(L,2)==1) : true; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::Iconize(bool)"); } self->Iconize(iconize); return 0; } // bool wxTopLevelWindow::IsActive() static int _bind_IsActive(lua_State *L) { if (!_lg_typecheck_IsActive(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::IsActive() function, expected prototype:\nbool wxTopLevelWindow::IsActive()\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::IsActive()"); } bool lret = self->IsActive(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxTopLevelWindow::IsAlwaysMaximized() const static int _bind_IsAlwaysMaximized(lua_State *L) { if (!_lg_typecheck_IsAlwaysMaximized(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::IsAlwaysMaximized() const function, expected prototype:\nbool wxTopLevelWindow::IsAlwaysMaximized() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::IsAlwaysMaximized() const"); } bool lret = self->IsAlwaysMaximized(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxTopLevelWindow::IsFullScreen() const static int _bind_IsFullScreen(lua_State *L) { if (!_lg_typecheck_IsFullScreen(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::IsFullScreen() const function, expected prototype:\nbool wxTopLevelWindow::IsFullScreen() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::IsFullScreen() const"); } bool lret = self->IsFullScreen(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxTopLevelWindow::IsIconized() const static int _bind_IsIconized(lua_State *L) { if (!_lg_typecheck_IsIconized(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::IsIconized() const function, expected prototype:\nbool wxTopLevelWindow::IsIconized() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::IsIconized() const"); } bool lret = self->IsIconized(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxTopLevelWindow::IsMaximized() const static int _bind_IsMaximized(lua_State *L) { if (!_lg_typecheck_IsMaximized(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::IsMaximized() const function, expected prototype:\nbool wxTopLevelWindow::IsMaximized() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::IsMaximized() const"); } bool lret = self->IsMaximized(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxTopLevelWindow::Layout() static int _bind_Layout(lua_State *L) { if (!_lg_typecheck_Layout(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::Layout() function, expected prototype:\nbool wxTopLevelWindow::Layout()\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::Layout()"); } bool lret = self->Layout(); lua_pushboolean(L,lret?1:0); return 1; } // void wxTopLevelWindow::Maximize(bool maximize = true) static int _bind_Maximize(lua_State *L) { if (!_lg_typecheck_Maximize(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::Maximize(bool maximize = true) function, expected prototype:\nvoid wxTopLevelWindow::Maximize(bool maximize = true)\nClass arguments details:\n"); } int luatop = lua_gettop(L); bool maximize=luatop>1 ? (bool)(lua_toboolean(L,2)==1) : true; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::Maximize(bool)"); } self->Maximize(maximize); return 0; } // wxMenu * wxTopLevelWindow::MSWGetSystemMenu() const static int _bind_MSWGetSystemMenu(lua_State *L) { if (!_lg_typecheck_MSWGetSystemMenu(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in wxMenu * wxTopLevelWindow::MSWGetSystemMenu() const function, expected prototype:\nwxMenu * wxTopLevelWindow::MSWGetSystemMenu() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call wxMenu * wxTopLevelWindow::MSWGetSystemMenu() const"); } wxMenu * lret = self->MSWGetSystemMenu(); if(!lret) return 0; // Do not write NULL pointers. Luna< wxMenu >::push(L,lret,false); return 1; } // void wxTopLevelWindow::RequestUserAttention(int flags = wxUSER_ATTENTION_INFO) static int _bind_RequestUserAttention(lua_State *L) { if (!_lg_typecheck_RequestUserAttention(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::RequestUserAttention(int flags = wxUSER_ATTENTION_INFO) function, expected prototype:\nvoid wxTopLevelWindow::RequestUserAttention(int flags = wxUSER_ATTENTION_INFO)\nClass arguments details:\n"); } int luatop = lua_gettop(L); int flags=luatop>1 ? (int)lua_tointeger(L,2) : wxUSER_ATTENTION_INFO; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::RequestUserAttention(int)"); } self->RequestUserAttention(flags); return 0; } // wxWindow * wxTopLevelWindow::SetDefaultItem(wxWindow * win) static int _bind_SetDefaultItem(lua_State *L) { if (!_lg_typecheck_SetDefaultItem(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in wxWindow * wxTopLevelWindow::SetDefaultItem(wxWindow * win) function, expected prototype:\nwxWindow * wxTopLevelWindow::SetDefaultItem(wxWindow * win)\nClass arguments details:\narg 1 ID = 56813631\n"); } wxWindow* win=dynamic_cast< wxWindow* >(Luna< wxObject >::check(L,2)); wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call wxWindow * wxTopLevelWindow::SetDefaultItem(wxWindow *)"); } wxWindow * lret = self->SetDefaultItem(win); if(!lret) return 0; // Do not write NULL pointers. Luna< wxWindow >::push(L,lret,false); return 1; } // wxWindow * wxTopLevelWindow::SetTmpDefaultItem(wxWindow * win) static int _bind_SetTmpDefaultItem(lua_State *L) { if (!_lg_typecheck_SetTmpDefaultItem(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in wxWindow * wxTopLevelWindow::SetTmpDefaultItem(wxWindow * win) function, expected prototype:\nwxWindow * wxTopLevelWindow::SetTmpDefaultItem(wxWindow * win)\nClass arguments details:\narg 1 ID = 56813631\n"); } wxWindow* win=dynamic_cast< wxWindow* >(Luna< wxObject >::check(L,2)); wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call wxWindow * wxTopLevelWindow::SetTmpDefaultItem(wxWindow *)"); } wxWindow * lret = self->SetTmpDefaultItem(win); if(!lret) return 0; // Do not write NULL pointers. Luna< wxWindow >::push(L,lret,false); return 1; } // wxWindow * wxTopLevelWindow::GetTmpDefaultItem() const static int _bind_GetTmpDefaultItem(lua_State *L) { if (!_lg_typecheck_GetTmpDefaultItem(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in wxWindow * wxTopLevelWindow::GetTmpDefaultItem() const function, expected prototype:\nwxWindow * wxTopLevelWindow::GetTmpDefaultItem() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call wxWindow * wxTopLevelWindow::GetTmpDefaultItem() const"); } wxWindow * lret = self->GetTmpDefaultItem(); if(!lret) return 0; // Do not write NULL pointers. Luna< wxWindow >::push(L,lret,false); return 1; } // void wxTopLevelWindow::SetIcon(const wxIcon & icon) static int _bind_SetIcon(lua_State *L) { if (!_lg_typecheck_SetIcon(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::SetIcon(const wxIcon & icon) function, expected prototype:\nvoid wxTopLevelWindow::SetIcon(const wxIcon & icon)\nClass arguments details:\narg 1 ID = 56813631\n"); } const wxIcon* icon_ptr=dynamic_cast< wxIcon* >(Luna< wxObject >::check(L,2)); if( !icon_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg icon in wxTopLevelWindow::SetIcon function"); } const wxIcon & icon=*icon_ptr; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::SetIcon(const wxIcon &)"); } self->SetIcon(icon); return 0; } // void wxTopLevelWindow::SetIcons(const wxIconBundle & icons) static int _bind_SetIcons(lua_State *L) { if (!_lg_typecheck_SetIcons(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::SetIcons(const wxIconBundle & icons) function, expected prototype:\nvoid wxTopLevelWindow::SetIcons(const wxIconBundle & icons)\nClass arguments details:\narg 1 ID = 56813631\n"); } const wxIconBundle* icons_ptr=dynamic_cast< wxIconBundle* >(Luna< wxObject >::check(L,2)); if( !icons_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg icons in wxTopLevelWindow::SetIcons function"); } const wxIconBundle & icons=*icons_ptr; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::SetIcons(const wxIconBundle &)"); } self->SetIcons(icons); return 0; } // void wxTopLevelWindow::SetMaxSize(const wxSize & size) static int _bind_SetMaxSize(lua_State *L) { if (!_lg_typecheck_SetMaxSize(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::SetMaxSize(const wxSize & size) function, expected prototype:\nvoid wxTopLevelWindow::SetMaxSize(const wxSize & size)\nClass arguments details:\narg 1 ID = 20268751\n"); } const wxSize* size_ptr=(Luna< wxSize >::check(L,2)); if( !size_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg size in wxTopLevelWindow::SetMaxSize function"); } const wxSize & size=*size_ptr; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::SetMaxSize(const wxSize &)"); } self->SetMaxSize(size); return 0; } // void wxTopLevelWindow::SetMinSize(const wxSize & size) static int _bind_SetMinSize(lua_State *L) { if (!_lg_typecheck_SetMinSize(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::SetMinSize(const wxSize & size) function, expected prototype:\nvoid wxTopLevelWindow::SetMinSize(const wxSize & size)\nClass arguments details:\narg 1 ID = 20268751\n"); } const wxSize* size_ptr=(Luna< wxSize >::check(L,2)); if( !size_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg size in wxTopLevelWindow::SetMinSize function"); } const wxSize & size=*size_ptr; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::SetMinSize(const wxSize &)"); } self->SetMinSize(size); return 0; } // void wxTopLevelWindow::SetSizeHints(int minW, int minH, int maxW = -1, int maxH = -1, int incW = -1, int incH = -1) static int _bind_SetSizeHints_overload_1(lua_State *L) { if (!_lg_typecheck_SetSizeHints_overload_1(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::SetSizeHints(int minW, int minH, int maxW = -1, int maxH = -1, int incW = -1, int incH = -1) function, expected prototype:\nvoid wxTopLevelWindow::SetSizeHints(int minW, int minH, int maxW = -1, int maxH = -1, int incW = -1, int incH = -1)\nClass arguments details:\n"); } int luatop = lua_gettop(L); int minW=(int)lua_tointeger(L,2); int minH=(int)lua_tointeger(L,3); int maxW=luatop>3 ? (int)lua_tointeger(L,4) : -1; int maxH=luatop>4 ? (int)lua_tointeger(L,5) : -1; int incW=luatop>5 ? (int)lua_tointeger(L,6) : -1; int incH=luatop>6 ? (int)lua_tointeger(L,7) : -1; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::SetSizeHints(int, int, int, int, int, int)"); } self->SetSizeHints(minW, minH, maxW, maxH, incW, incH); return 0; } // void wxTopLevelWindow::SetSizeHints(const wxSize & minSize, const wxSize & maxSize = wxDefaultSize, const wxSize & incSize = wxDefaultSize) static int _bind_SetSizeHints_overload_2(lua_State *L) { if (!_lg_typecheck_SetSizeHints_overload_2(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::SetSizeHints(const wxSize & minSize, const wxSize & maxSize = wxDefaultSize, const wxSize & incSize = wxDefaultSize) function, expected prototype:\nvoid wxTopLevelWindow::SetSizeHints(const wxSize & minSize, const wxSize & maxSize = wxDefaultSize, const wxSize & incSize = wxDefaultSize)\nClass arguments details:\narg 1 ID = 20268751\narg 2 ID = 20268751\narg 3 ID = 20268751\n"); } int luatop = lua_gettop(L); const wxSize* minSize_ptr=(Luna< wxSize >::check(L,2)); if( !minSize_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg minSize in wxTopLevelWindow::SetSizeHints function"); } const wxSize & minSize=*minSize_ptr; const wxSize* maxSize_ptr=luatop>2 ? (Luna< wxSize >::check(L,3)) : NULL; if( luatop>2 && !maxSize_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg maxSize in wxTopLevelWindow::SetSizeHints function"); } const wxSize & maxSize=luatop>2 ? *maxSize_ptr : wxDefaultSize; const wxSize* incSize_ptr=luatop>3 ? (Luna< wxSize >::check(L,4)) : NULL; if( luatop>3 && !incSize_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg incSize in wxTopLevelWindow::SetSizeHints function"); } const wxSize & incSize=luatop>3 ? *incSize_ptr : wxDefaultSize; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::SetSizeHints(const wxSize &, const wxSize &, const wxSize &)"); } self->SetSizeHints(minSize, maxSize, incSize); return 0; } // Overload binder for wxTopLevelWindow::SetSizeHints static int _bind_SetSizeHints(lua_State *L) { if (_lg_typecheck_SetSizeHints_overload_1(L)) return _bind_SetSizeHints_overload_1(L); if (_lg_typecheck_SetSizeHints_overload_2(L)) return _bind_SetSizeHints_overload_2(L); luaL_error(L, "error in function SetSizeHints, cannot match any of the overloads for function SetSizeHints:\n SetSizeHints(int, int, int, int, int, int)\n SetSizeHints(const wxSize &, const wxSize &, const wxSize &)\n"); return 0; } // void wxTopLevelWindow::SetTitle(const wxString & title) static int _bind_SetTitle(lua_State *L) { if (!_lg_typecheck_SetTitle(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::SetTitle(const wxString & title) function, expected prototype:\nvoid wxTopLevelWindow::SetTitle(const wxString & title)\nClass arguments details:\narg 1 ID = 88196105\n"); } wxString title(lua_tostring(L,2),lua_objlen(L,2)); wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::SetTitle(const wxString &)"); } self->SetTitle(title); return 0; } // bool wxTopLevelWindow::SetTransparent(unsigned char alpha) static int _bind_SetTransparent(lua_State *L) { if (!_lg_typecheck_SetTransparent(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::SetTransparent(unsigned char alpha) function, expected prototype:\nbool wxTopLevelWindow::SetTransparent(unsigned char alpha)\nClass arguments details:\n"); } unsigned char alpha = (unsigned char)(lua_tointeger(L,2)); wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::SetTransparent(unsigned char)"); } bool lret = self->SetTransparent(alpha); lua_pushboolean(L,lret?1:0); return 1; } // bool wxTopLevelWindow::ShouldPreventAppExit() const static int _bind_ShouldPreventAppExit(lua_State *L) { if (!_lg_typecheck_ShouldPreventAppExit(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::ShouldPreventAppExit() const function, expected prototype:\nbool wxTopLevelWindow::ShouldPreventAppExit() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::ShouldPreventAppExit() const"); } bool lret = self->ShouldPreventAppExit(); lua_pushboolean(L,lret?1:0); return 1; } // void wxTopLevelWindow::OSXSetModified(bool modified) static int _bind_OSXSetModified(lua_State *L) { if (!_lg_typecheck_OSXSetModified(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in void wxTopLevelWindow::OSXSetModified(bool modified) function, expected prototype:\nvoid wxTopLevelWindow::OSXSetModified(bool modified)\nClass arguments details:\n"); } bool modified=(bool)(lua_toboolean(L,2)==1); wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call void wxTopLevelWindow::OSXSetModified(bool)"); } self->OSXSetModified(modified); return 0; } // bool wxTopLevelWindow::OSXIsModified() const static int _bind_OSXIsModified(lua_State *L) { if (!_lg_typecheck_OSXIsModified(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::OSXIsModified() const function, expected prototype:\nbool wxTopLevelWindow::OSXIsModified() const\nClass arguments details:\n"); } wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::OSXIsModified() const"); } bool lret = self->OSXIsModified(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxTopLevelWindow::ShowFullScreen(bool show, long style = wxFULLSCREEN_ALL) static int _bind_ShowFullScreen(lua_State *L) { if (!_lg_typecheck_ShowFullScreen(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in bool wxTopLevelWindow::ShowFullScreen(bool show, long style = wxFULLSCREEN_ALL) function, expected prototype:\nbool wxTopLevelWindow::ShowFullScreen(bool show, long style = wxFULLSCREEN_ALL)\nClass arguments details:\n"); } int luatop = lua_gettop(L); bool show=(bool)(lua_toboolean(L,2)==1); long style=luatop>2 ? (long)lua_tointeger(L,3) : wxFULLSCREEN_ALL; wxTopLevelWindow* self=dynamic_cast< wxTopLevelWindow* >(Luna< wxObject >::check(L,1)); if(!self) { luna_printStack(L); luaL_error(L, "Invalid object in function call bool wxTopLevelWindow::ShowFullScreen(bool, long)"); } bool lret = self->ShowFullScreen(show, style); lua_pushboolean(L,lret?1:0); return 1; } // static wxSize wxTopLevelWindow::GetDefaultSize() static int _bind_GetDefaultSize(lua_State *L) { if (!_lg_typecheck_GetDefaultSize(L)) { luna_printStack(L); luaL_error(L, "luna typecheck failed in static wxSize wxTopLevelWindow::GetDefaultSize() function, expected prototype:\nstatic wxSize wxTopLevelWindow::GetDefaultSize()\nClass arguments details:\n"); } wxSize stack_lret = wxTopLevelWindow::GetDefaultSize(); wxSize* lret = new wxSize(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxSize >::push(L,lret,true); return 1; } // Operator binds: }; wxTopLevelWindow* LunaTraits< wxTopLevelWindow >::_bind_ctor(lua_State *L) { return luna_wrapper_wxTopLevelWindow::_bind_ctor(L); } void LunaTraits< wxTopLevelWindow >::_bind_dtor(wxTopLevelWindow* obj) { delete obj; } const char LunaTraits< wxTopLevelWindow >::className[] = "wxTopLevelWindow"; const char LunaTraits< wxTopLevelWindow >::fullName[] = "wxTopLevelWindow"; const char LunaTraits< wxTopLevelWindow >::moduleName[] = "wx"; const char* LunaTraits< wxTopLevelWindow >::parents[] = {"wx.wxNonOwnedWindow", 0}; const int LunaTraits< wxTopLevelWindow >::hash = 47549448; const int LunaTraits< wxTopLevelWindow >::uniqueIDs[] = {56813631, 53506535,0}; luna_RegType LunaTraits< wxTopLevelWindow >::methods[] = { {"Create", &luna_wrapper_wxTopLevelWindow::_bind_Create}, {"CanSetTransparent", &luna_wrapper_wxTopLevelWindow::_bind_CanSetTransparent}, {"CenterOnScreen", &luna_wrapper_wxTopLevelWindow::_bind_CenterOnScreen}, {"CentreOnScreen", &luna_wrapper_wxTopLevelWindow::_bind_CentreOnScreen}, {"EnableCloseButton", &luna_wrapper_wxTopLevelWindow::_bind_EnableCloseButton}, {"GetDefaultItem", &luna_wrapper_wxTopLevelWindow::_bind_GetDefaultItem}, {"GetIcon", &luna_wrapper_wxTopLevelWindow::_bind_GetIcon}, {"GetIcons", &luna_wrapper_wxTopLevelWindow::_bind_GetIcons}, {"GetTitle", &luna_wrapper_wxTopLevelWindow::_bind_GetTitle}, {"Iconize", &luna_wrapper_wxTopLevelWindow::_bind_Iconize}, {"IsActive", &luna_wrapper_wxTopLevelWindow::_bind_IsActive}, {"IsAlwaysMaximized", &luna_wrapper_wxTopLevelWindow::_bind_IsAlwaysMaximized}, {"IsFullScreen", &luna_wrapper_wxTopLevelWindow::_bind_IsFullScreen}, {"IsIconized", &luna_wrapper_wxTopLevelWindow::_bind_IsIconized}, {"IsMaximized", &luna_wrapper_wxTopLevelWindow::_bind_IsMaximized}, {"Layout", &luna_wrapper_wxTopLevelWindow::_bind_Layout}, {"Maximize", &luna_wrapper_wxTopLevelWindow::_bind_Maximize}, {"MSWGetSystemMenu", &luna_wrapper_wxTopLevelWindow::_bind_MSWGetSystemMenu}, {"RequestUserAttention", &luna_wrapper_wxTopLevelWindow::_bind_RequestUserAttention}, {"SetDefaultItem", &luna_wrapper_wxTopLevelWindow::_bind_SetDefaultItem}, {"SetTmpDefaultItem", &luna_wrapper_wxTopLevelWindow::_bind_SetTmpDefaultItem}, {"GetTmpDefaultItem", &luna_wrapper_wxTopLevelWindow::_bind_GetTmpDefaultItem}, {"SetIcon", &luna_wrapper_wxTopLevelWindow::_bind_SetIcon}, {"SetIcons", &luna_wrapper_wxTopLevelWindow::_bind_SetIcons}, {"SetMaxSize", &luna_wrapper_wxTopLevelWindow::_bind_SetMaxSize}, {"SetMinSize", &luna_wrapper_wxTopLevelWindow::_bind_SetMinSize}, {"SetSizeHints", &luna_wrapper_wxTopLevelWindow::_bind_SetSizeHints}, {"SetTitle", &luna_wrapper_wxTopLevelWindow::_bind_SetTitle}, {"SetTransparent", &luna_wrapper_wxTopLevelWindow::_bind_SetTransparent}, {"ShouldPreventAppExit", &luna_wrapper_wxTopLevelWindow::_bind_ShouldPreventAppExit}, {"OSXSetModified", &luna_wrapper_wxTopLevelWindow::_bind_OSXSetModified}, {"OSXIsModified", &luna_wrapper_wxTopLevelWindow::_bind_OSXIsModified}, {"ShowFullScreen", &luna_wrapper_wxTopLevelWindow::_bind_ShowFullScreen}, {"GetDefaultSize", &luna_wrapper_wxTopLevelWindow::_bind_GetDefaultSize}, {0,0} }; luna_ConverterType LunaTraits< wxTopLevelWindow >::converters[] = { {"wxObject", &luna_wrapper_wxTopLevelWindow::_cast_from_wxObject}, {0,0} }; luna_RegEnumType LunaTraits< wxTopLevelWindow >::enumValues[] = { {0,0} };
[ "roche.emmanuel@gmail.com" ]
roche.emmanuel@gmail.com
52e5cde410fd39b79e6817fce2173cb5ebb6b2d0
c17b8eb06fb137def535de02c2cd88ea04f2dadf
/dev/src/util/status.cc
a3efa57f242449485c3b32a6d696108cecb1d8a7
[]
no_license
DotStarMoney/TLG
8acfc447b149b7ca880e131e6b911d0ea2da54df
6fcbf9351a17d8939ccb1cdd45741718c4044067
refs/heads/master
2021-05-08T00:57:13.371980
2018-12-04T05:57:01
2018-12-04T05:57:01
107,836,860
1
0
null
null
null
null
UTF-8
C++
false
false
2,332
cc
#include "util/status.h" #include "absl/strings/str_cat.h" namespace util { Status::~Status() { MaybeDereference(handle_); } Status::Status() : handle_(nullptr) {} Status::Status(const Status& status) : handle_(status.handle_) { MaybeReference(handle_); } Status& Status::operator=(const Status& status) { if (status.handle_ != handle_) { MaybeReference(status.handle_); MaybeDereference(handle_); handle_ = status.handle_; } return *this; } Status::Status(Status&& status) : handle_(status.handle_) { status.handle_ = nullptr; } Status& Status::operator=(Status&& status) { MaybeDereference(handle_); handle_ = status.handle_; status.handle_ = nullptr; return *this; } bool Status::ok() const { return handle_ == nullptr; } absl::string_view Status::message() const { if (handle_ == nullptr) return ""; return handle_->message; } error::CanonicalErrors Status::canonical_error_code() const { return handle_ == nullptr ? error::UNKNOWN : handle_->canonical_error_code; } void Status::MaybeDereference(Payload* handle_) { if (handle_ == nullptr) return; // Since loading the ref count should be a singular "mov," we can hopefully // avoid the atomic fetch_sub by doing a check == 1 first. if ((handle_->refs.load() == 1) || (handle_->refs.fetch_sub(1) == 0)) { delete handle_; } } void Status::MaybeReference(Payload* handle_) { if (handle_ == nullptr) return; ++(handle_->refs); } bool Status::SlowComparePayloadsForEquality(Payload* lhs, Payload* rhs) { if ((lhs == nullptr) || (rhs == nullptr)) return false; if (lhs->canonical_error_code != rhs->canonical_error_code) return false; if (lhs->message.compare(rhs->message) != 0) return false; return true; } std::string Status::ToString() const { if (ok()) return "Ok."; return absl::StrCat( util::error::CanonicalErrorString[canonical_error_code()], ": ", message()); } // First try and check pointers, if no luck we have to compare them the long // way. bool operator==(const Status& lhs, const Status& rhs) { if ((lhs.handle_ == rhs.handle_) || Status::SlowComparePayloadsForEquality(lhs.handle_, rhs.handle_)) { return true; } return false; } bool operator!=(const Status& lhs, const Status& rhs) { return !(lhs == rhs); } const Status OkStatus; } // namespace util
[ "Batterybat@gmail.com" ]
Batterybat@gmail.com